react-icons/fi#FiUpload TypeScript Examples
The following examples show how to use
react-icons/fi#FiUpload.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: index.tsx From NLW-1.0 with MIT License | 6 votes |
Dropzone: React.FC<Props> = ({ onFileUploaded }) => {
const [selectedFileUrl, setSelectedFileUrl] = useState('');
const onDrop = useCallback(
acceptedFiles => {
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setSelectedFileUrl(fileUrl);
onFileUploaded(file);
},
[onFileUploaded],
);
const { getRootProps, getInputProps } = useDropzone({
onDrop,
accept: 'image/*',
});
return (
<div className="dropzone" {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{selectedFileUrl ? (
<img src={selectedFileUrl} alt="" />
) : (
<p>
<FiUpload />
Imagem do estabelecimento
</p>
)}
</div>
);
}
Example #2
Source File: index.tsx From NextLevelWeek with MIT License | 6 votes |
Dropzone: React.FC<Props> = ({ onFileUploaded }) => {
const [selectedFileUrl, setFileUrl] = useState("");
const onDrop = useCallback(
(acceptedFiles) => {
// console.log(acceptedFiles);
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setFileUrl(fileUrl);
onFileUploaded(file);
},
[onFileUploaded]
);
const { getRootProps, getInputProps } = useDropzone({
onDrop,
accept: "image/*",
});
return (
<div className="dropzone" {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{selectedFileUrl ? (
<img src={selectedFileUrl} alt="Point thumbnail" />
) : (
<p>
<FiUpload />
Arraste e solte a imagem do estabelecimento aqui
<br /> ou clique para selecionar alguma.
</p>
)}
</div>
);
}
Example #3
Source File: index.tsx From nlw-ecoleta with MIT License | 6 votes |
Dropzone: React.FC<Props> = ({ onFileUploaded }) => {
const [selectedFileUrl, setSelectedFileUrl] = useState('');
const onDrop = useCallback(acceptedFiles => {
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setSelectedFileUrl(fileUrl);
onFileUploaded(file);
}, [onFileUploaded]);
const { getRootProps, getInputProps } = useDropzone({onDrop, accept: 'image/*'});
//RenderizaĆ§Ć£o do componente
return (
<div className="dropzone" {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{ selectedFileUrl
? <img src={selectedFileUrl} alt="Point thumbnail" />
: (
<p>
<FiUpload />
Imagem do estabelecimento
</p>
)
}
</div>
);
}
Example #4
Source File: ImportMenuItem.tsx From openchakra with MIT License | 6 votes |
ImportMenuItem = () => {
const dispatch = useDispatch()
return (
<MenuItem
onClick={async () => {
const components = await loadFromJSON()
dispatch.components.reset(components)
}}
>
<Box mr={2} as={FiUpload} />
Import components
</MenuItem>
)
}
Example #5
Source File: index.tsx From nlw-01-omnistack with MIT License | 6 votes |
Dropzone: React.FC<Props> = ({ onFileUploaded }) => {
const [selectedFileUrl, setSelectedFileUrl] = useState('');
const onDrop = useCallback(acceptedFiles => {
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setSelectedFileUrl(fileUrl);
onFileUploaded(file);
}, [onFileUploaded])
const { getRootProps, getInputProps } = useDropzone({
onDrop,
accept: 'image/*'
})
return (
<div className="dropzone" {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{ selectedFileUrl
? <img src={selectedFileUrl} alt="Point thumbnail" />
: (
<p>
<FiUpload />
Imagem do estabelecimento
</p>
)
}
</div>
)
}
Example #6
Source File: index.tsx From ecoleta with MIT License | 6 votes |
Dropzone: React.FC<Props> = ({ onFileUploaded }) => {
const [selectedFileUrl, setSelectedFileUrl] = useState('');
const onDrop = useCallback(
(acceptedFiles) => {
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setSelectedFileUrl(fileUrl);
onFileUploaded(file);
},
[onFileUploaded]
);
const { getRootProps, getInputProps } = useDropzone({
onDrop,
accept: 'image/*',
});
return (
<div className="dropzone" {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{selectedFileUrl ? (
<img src={selectedFileUrl} />
) : (
<p>
<FiUpload />
Imagem do estabelecimento
</p>
)}
</div>
);
}
Example #7
Source File: index.tsx From ecoleta with MIT License | 6 votes |
Dropzone: React.FC<Props> = ({ onFileUploaded }) => {
const [selectedFileUrl, setSelectedFileUrl] = useState('');
const onDrop = useCallback(acceptedFiles => {
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setSelectedFileUrl(fileUrl);
onFileUploaded(file);
}, [onFileUploaded]);
const { getRootProps, getInputProps } = useDropzone({
onDrop,
accept: 'image/*'
});
return (
<div className="dropzone" {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{ selectedFileUrl
? <img src={selectedFileUrl} alt="Point thumbnail" />
: (
<p>
<FiUpload />
Imagem do estabelecimento
</p>
)
}
</div>
)
}
Example #8
Source File: index.tsx From ecoleta with MIT License | 5 votes |
Dropzone: React.FC<IProps> = ({ onFileUploaded, preview }) => {
const [selectedFileUrl, setSelectedFileUrl] = useState(() => {
if (preview) return preview;
return '';
});
useEffect(() => {
setSelectedFileUrl(preview);
}, [preview]);
const onDrop = useCallback(
acceptedFiles => {
const file = acceptedFiles[0];
const fileUrl = URL.createObjectURL(file);
setSelectedFileUrl(fileUrl);
onFileUploaded(file);
},
[onFileUploaded],
);
const { getRootProps, getInputProps } = useDropzone({
onDrop,
accept: 'image/*',
});
return (
<Container {...getRootProps()}>
<input {...getInputProps()} accept="image/*" />
{selectedFileUrl ? (
<img src={selectedFileUrl} alt="Point thumbnail" />
) : (
<p>
<FiUpload />
Imagem do estabelecimento
</p>
)}
</Container>
);
}
Example #9
Source File: UserBox.tsx From tobira with Apache License 2.0 | 5 votes |
Menu: React.FC<MenuProps> = ({ close, container }) => {
const { t } = useTranslation();
type State = "main" | "language";
const [state, setState] = useState<State>("main");
const userState = useUser();
const user = userState === "none" || userState === "unknown" ? null : userState;
// Close menu on clicks anywhere outside of it.
useOnOutsideClick(container, close);
const items = match(state, {
main: () => <>
{/* Login button if the user is NOT logged in */}
{!user && (
<MenuItem
icon={<FiLogIn />}
borderBottom
linkTo={CONFIG.auth.loginLink ?? LOGIN_PATH}
htmlLink={!!CONFIG.auth.loginLink}
css={{
color: "var(--nav-color)",
[`@media not all and (max-width: ${BREAKPOINT_MEDIUM}px)`]: {
display: "none",
},
}}
>{t("user.login")}</MenuItem>
)}
{user && <>
{user.canUpload && <MenuItem
icon={<FiUpload />}
linkTo={"/~upload"}
onClick={() => close()}
>{t("upload.title")}</MenuItem>}
<MenuItem
icon={<FiFilm />}
linkTo="/~manage"
onClick={() => close()}
>{t("user.manage-content")}</MenuItem>
</>}
<MenuItem icon={<HiOutlineTranslate />} onClick={() => setState("language")}>
{t("language")}
</MenuItem>
{/* Logout button if the user is logged in */}
{user && <Logout />}
</>,
language: () => <>
<MenuItem icon={<FiChevronLeft />} onClick={() => setState("main")} borderBottom>
{t("back")}
</MenuItem>
<LanguageMenu />
</>,
});
return (
<ul css={{
position: "absolute",
zIndex: 1000,
top: "100%",
right: 8,
marginTop: 8,
borderRadius: 4,
border: "1px solid var(--grey80)",
boxShadow: "1px 1px 5px var(--grey92)",
backgroundColor: "white",
minWidth: 200,
paddingLeft: 0,
margin: 0,
overflow: "hidden",
}}>{items}</ul>
);
}
Example #10
Source File: index.tsx From tobira with Apache License 2.0 | 5 votes |
Manage: React.FC = () => {
const { t } = useTranslation();
const user = useUser();
if (user === "none" || user === "unknown") {
return <NotAuthorized />;
}
const returnTarget = encodeURIComponent(document.location.href);
const studioUrl = `${CONFIG.opencast.studioUrl}?return.target=${returnTarget}`;
return <>
<Breadcrumbs path={[]} tail={t("manage.management")} />
<PageTitle title={t("manage.dashboard.title")} />
<div css={{
display: "grid",
width: 950,
maxWidth: "100%",
margin: "32px 0",
gridTemplateColumns: "repeat(auto-fill, minmax(250px, 1fr))",
gap: 24,
}}>
{user.canUpload && <GridTile link="/~upload">
<FiUpload />
<h2>{t("upload.title")}</h2>
{t("manage.dashboard.upload-tile")}
</GridTile>}
{user.canUseStudio && <GridTile link={studioUrl}>
<FiVideo />
<h2>{t("manage.dashboard.studio-tile-title")}</h2>
{t("manage.dashboard.studio-tile-body")}
</GridTile>}
<GridTile link="/~manage/videos">
<FiFilm />
<h2>{t("manage.my-videos.title")}</h2>
{t("manage.dashboard.my-videos-tile")}
</GridTile>
<GridTile>
<h2>{t("manage.dashboard.manage-pages-tile-title")}</h2>
{t("manage.dashboard.manage-pages-tile-body")}
</GridTile>
</div>
</>;
}
Example #11
Source File: Cache.tsx From dxvote with GNU Affero General Public License v3.0 | 4 votes |
CachePage = observer(() => {
// Set html title to cache to differentiate from dxvote dapp
document.title = 'Cache';
const {
context: { cacheService, configStore, notificationStore, ipfsService },
} = useContext();
const [updateProposalTitles, setUpdateProposalTitles] = React.useState(false);
const [buildingCacheState, setBuildingCacheState] = React.useState(0);
const [updatedCacheHash, setUpdatedCacheHash] = React.useState({
proposalTitles: {},
configHashes: {},
configs: {},
caches: {},
});
const [resetCache, setResetCache] = React.useState({
mainnet: false,
rinkeby: false,
xdai: false,
arbitrum: false,
arbitrumTestnet: false,
});
const [localConfig, setLocalConfig] = React.useState(
configStore.getLocalConfig()
);
const [, forceUpdate] = React.useReducer(x => x + 1, 0);
async function resetCacheOptions() {
configStore.resetLocalConfig();
setLocalConfig(configStore.getLocalConfig());
setBuildingCacheState(0);
setResetCache({
mainnet: false,
rinkeby: false,
xdai: false,
arbitrum: false,
arbitrumTestnet: false,
});
setUpdatedCacheHash({
proposalTitles: {},
configHashes: {},
configs: {},
caches: {},
});
setUpdateProposalTitles(false);
}
async function uploadToIPFS(content) {
ipfsService.upload(content);
}
async function runCacheScript() {
setBuildingCacheState(1);
const updatedCache = await cacheService.getUpdatedCacheConfig(
{
1: {
rpcUrl: localConfig.mainnet_rpcURL,
toBlock: localConfig.mainnet_toBlock,
reset: resetCache.mainnet,
},
4: {
rpcUrl: localConfig.rinkeby_rpcURL,
toBlock: localConfig.rinkeby_toBlock,
reset: resetCache.rinkeby,
},
100: {
rpcUrl: localConfig.xdai_rpcURL,
toBlock: localConfig.xdai_toBlock,
reset: resetCache.xdai,
},
42161: {
rpcUrl: localConfig.arbitrum_rpcURL,
toBlock: localConfig.arbitrum_toBlock,
reset: resetCache.arbitrum,
},
421611: {
rpcUrl: localConfig.arbitrumTestnet_rpcURL,
toBlock: localConfig.arbitrumTestnet_toBlock,
reset: resetCache.arbitrumTestnet,
},
},
updateProposalTitles
);
console.log('[Updated Cache]', updatedCache);
setUpdatedCacheHash(updatedCache);
setBuildingCacheState(2);
forceUpdate();
}
function onApiKeyValueChange(value, key) {
localConfig[key] = value;
setLocalConfig(localConfig);
configStore.setLocalConfig(localConfig);
forceUpdate();
}
function downloadAll() {
var zip = new JSZip();
var cache = zip.folder('cache');
var configs = zip.folder('configs');
zip.file(
'default.json',
JSON.stringify(
{
mainnet: updatedCacheHash.configHashes['mainnet'],
xdai: updatedCacheHash.configHashes['xdai'],
arbitrum: updatedCacheHash.configHashes['arbitrum'],
rinkeby: updatedCacheHash.configHashes['rinkeby'],
arbitrumTestnet: updatedCacheHash.configHashes['arbitrumTestnet'],
},
null,
2
)
);
zip.file(
'proposalTitles.json',
JSON.stringify(updatedCacheHash.proposalTitles, null, 2)
);
NETWORKS.map((network, i) => {
cache.file(
network.name + '.json',
JSON.stringify(updatedCacheHash.caches[network.name], null, 2)
);
const configFolder = configs.folder(network.name);
configFolder.file(
'config.json',
JSON.stringify(updatedCacheHash.configs[network.name], null, 2)
);
});
zip.generateAsync({ type: 'blob' }).then(function (content) {
saveAs(content, 'dxvote-cache.zip');
});
}
if (window.location.hash.length > 7) {
const searchParams = new URLSearchParams(window.location.hash.substring(7));
setUpdateProposalTitles(searchParams.get('proposalTitles') ? true : false);
NETWORKS.map((network, i) => {
const networkName = network.name;
if (searchParams.get(networkName + '_toBlock'))
localConfig[networkName + '_toBlock'] = searchParams.get(
networkName + '_toBlock'
);
if (searchParams.get(networkName + '_targetHash'))
localConfig[networkName + '_targetHash'] = searchParams.get(
networkName + '_targetHash'
);
if (searchParams.get(networkName + '_reset')) {
resetCache[networkName] = true;
}
});
setLocalConfig(localConfig);
setResetCache(resetCache);
configStore.setLocalConfig(localConfig);
window.location.assign(window.location.origin + '/#cache');
forceUpdate();
}
function getOptionsLink(): string {
let optionsLinkUrl =
window.location.origin + '/' + window.location.hash + '?';
if (updateProposalTitles)
optionsLinkUrl = optionsLinkUrl = 'proposalTitles=1&';
NETWORKS.map((network, i) => {
const networkName = network.name;
if (localConfig[networkName + '_toBlock'])
optionsLinkUrl =
optionsLinkUrl +
networkName +
'_toBlock=' +
localConfig[networkName + '_toBlock'] +
'&';
if (localConfig[networkName + '_targetHash'])
optionsLinkUrl =
optionsLinkUrl +
networkName +
'_targetHash=' +
localConfig[networkName + '_targetHash'] +
'&';
if (resetCache[networkName])
optionsLinkUrl = optionsLinkUrl + networkName + '_reset=1&';
});
optionsLinkUrl = optionsLinkUrl.slice(0, -1);
return optionsLinkUrl;
}
return buildingCacheState === 1 ? (
<LoadingBox>
<div className="loader">
{' '}
<PulsingIcon size={80} inactive={false} />
<LoadingProgressText>
{notificationStore.globalMessage}
</LoadingProgressText>
</div>
</LoadingBox>
) : (
<Box>
<FormContainer>
{NETWORKS.map((network, i) => {
const networkName = network.name;
return (
networkName !== 'localhost' && (
<div key={`networkOptions${i}`}>
<RowAlignedLeft>
{' '}
<strong>{toCamelCaseString(networkName)}</strong>{' '}
</RowAlignedLeft>
<RowAlignedLeft>
<FormLabel>Block:</FormLabel>
<InputBox
type="text"
onChange={event =>
onApiKeyValueChange(
event.target.value,
networkName + '_toBlock'
)
}
value={localConfig[networkName + '_toBlock']}
style={{ width: '100px' }}
></InputBox>
<FormLabel>RPC:</FormLabel>
<InputBox
type="text"
onChange={event =>
onApiKeyValueChange(
event.target.value,
networkName + '_rpcURL'
)
}
value={localConfig[networkName + '_rpcURL']}
style={{ width: '100%' }}
></InputBox>
<FormLabel>Reset</FormLabel>
<InputBox
type="checkbox"
checked={resetCache[networkName]}
onChange={() => {
resetCache[networkName] = !resetCache[networkName];
setResetCache(resetCache);
forceUpdate();
}}
></InputBox>
</RowAlignedLeft>
<RowAlignedLeft>
<FormLabel>Target Config Hash:</FormLabel>
<InputBox
type="text"
onChange={event =>
onApiKeyValueChange(
event.target.value,
networkName + '_targetHash'
)
}
value={localConfig[networkName + '_targetHash']}
style={{ width: '400px' }}
></InputBox>
{updatedCacheHash.configs[networkName] && (
<div>
<Button
onClick={() =>
uploadToIPFS(
JSON.stringify(
updatedCacheHash.configs[networkName],
null,
2
)
)
}
>
<FiUpload></FiUpload> Config
</Button>
<Button
onClick={() =>
uploadToIPFS(
JSON.stringify(
updatedCacheHash.caches[networkName],
null,
2
)
)
}
>
<FiUpload></FiUpload> Cache
</Button>
</div>
)}
</RowAlignedLeft>
{updatedCacheHash.configs[networkName] && (
<RowAlignedLeft>
Received Config Hash:{' '}
{updatedCacheHash.configHashes[networkName]}
{' '}
<FormLabel>
{updatedCacheHash.configHashes[networkName] ==
localConfig[networkName + '_targetHash'] ? (
<FiCheckCircle />
) : (
<FiX />
)}
</FormLabel>
</RowAlignedLeft>
)}
</div>
)
);
})}
</FormContainer>
<Row style={{ justifyContent: 'left' }}>
<FormLabel>Update Proposal Titles</FormLabel>
<InputBox
type="checkbox"
checked={updateProposalTitles}
onChange={() => setUpdateProposalTitles(!updateProposalTitles)}
></InputBox>
</Row>
{buildingCacheState === 2 && (
<Row>
<Button onClick={downloadAll}>
{' '}
<FiDownload></FiDownload> Download All
</Button>
</Row>
)}
<Row>
<Button onClick={runCacheScript}>Build Cache</Button>
<Button onClick={resetCacheOptions}>Reset Options</Button>
<CopyButton>
<Copy toCopy={getOptionsLink()}>Build Link</Copy>
</CopyButton>
</Row>
</Box>
);
})
Example #12
Source File: Upload.tsx From tobira with Apache License 2.0 | 4 votes |
FileSelect: React.FC<FileSelectProps> = ({ onSelect }) => {
const { t } = useTranslation();
const fileInput = useRef<HTMLInputElement>(null);
const [error, setError] = useState(null);
const [dragCounter, setDragCounter] = useState(0);
const isDragging = dragCounter > 0;
return (
<div
onDragEnter={e => {
setDragCounter(old => old + 1);
e.preventDefault();
}}
onDragOver={e => e.preventDefault()}
onDragLeave={() => setDragCounter(old => old - 1)}
onDrop={e => {
const files = e.dataTransfer.files;
if (files.length === 0) {
setError(t("upload.not-a-file"));
} else if (files.length > 1) {
setError(t("upload.too-many-files"));
} else {
onSelect(e.dataTransfer.files);
}
setDragCounter(0);
e.preventDefault();
}}
css={{
width: "100%",
height: "100%",
border: "3px dashed",
borderRadius: 10,
display: "flex",
flexDirection: "column",
gap: 16,
alignItems: "center",
justifyContent: "center",
backgroundColor: isDragging ? "var(--grey97)" : "none",
borderColor: isDragging ? "var(--accent-color)" : "var(--grey80)",
"--transition-length": "80ms",
transition: "background-color var(--transition-length), "
+ "border-color var(--transition-length)",
}}
>
{/* Big icon */}
<div css={{
position: "relative",
lineHeight: 1,
fontSize: 64,
color: "var(--grey40)",
}}>
{/* This depends on the SVG elements used in the icon. Technically, the icon pack
does not guarantee that and could change it at any time. But we decided it's
fine in this case. It is unlikely to change and if it breaks, nothing bad could
happen. Only the animation is broken. */}
<FiUpload css={{
position: "absolute",
top: isDragging ? 8 : 0,
transition: "top var(--transition-length)",
"& > path": { display: "none" },
}} />
<FiUpload css={{ "& > polyline, & > line": { display: "none" } }} />
</div>
{t("upload.drop-to-upload")}
{/* "Select files" button */}
<div css={{ marginTop: 16 }}>
<Button
kind="happy"
onClick={() => currentRef(fileInput).click()}
>{t("upload.select-files")}</Button>
<input
ref={fileInput}
onChange={e => {
if (e.target.files) {
onSelect(e.target.files);
}
}}
type="file"
aria-hidden="true"
css={{ display: "none" }}
/>
</div>
{boxError(error)}
</div>
);
}