react-icons/fi#FiArrowLeft TypeScript Examples
The following examples show how to use
react-icons/fi#FiArrowLeft.
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: SideBar.tsx From happy with MIT License | 6 votes |
export default function Sidebar() {
const { goBack } = useHistory();
return (
<aside className="app-sidebar">
<img src={mapMarkerImg} alt="Happy" />
<footer>
<button type="button" onClick={goBack}>
<FiArrowLeft size={24} color="#FFF" />
</button>
</footer>
</aside>
);
}
Example #2
Source File: Single.tsx From tobira with Apache License 2.0 | 6 votes |
BackLink: React.FC = () => {
const { t } = useTranslation();
const items = [
<LinkWithIcon key={MANAGE_VIDEOS_PATH} to={MANAGE_VIDEOS_PATH} iconPos="left">
<FiArrowLeft />
{t("manage.nav.my-videos")}
</LinkWithIcon>,
];
return <LinkList items={items} />;
}
Example #3
Source File: index.tsx From tobira with Apache License 2.0 | 6 votes |
SearchMode: React.FC = () => {
const { t } = useTranslation();
const menu = useMenu();
return <>
<ActionIcon title={t("back")} onClick={() => menu.close()} >
<FiArrowLeft />
</ActionIcon>
<SearchField variant="mobile" />
</>;
}
Example #4
Source File: index.tsx From NextLevelWeek with MIT License | 6 votes |
Sidebar: React.FC = () => {
const { goBack } = useHistory();
return (
<Container>
<img src={mapMarkerImg} alt="Happy" />
<footer>
<button type="button" onClick={goBack}>
<FiArrowLeft size={24} color="#fff" />
</button>
</footer>
</Container>
);
}
Example #5
Source File: Sidebar.tsx From happy with MIT License | 6 votes |
export default function Sidebar() {
const { goBack } = useHistory();
return (
<aside className="app-sidebar">
<img src={mapMarkerImg} alt="Happy" />
<footer>
<button type="button" onClick={goBack}>
<FiArrowLeft size={24} color="#FFF" />
</button>
</footer>
</aside>
);
}
Example #6
Source File: Sidebar.tsx From NLW-3.0 with MIT License | 6 votes |
function Sidebar() {
const { goBack } = useHistory();
return (
<aside className="app-sidebar">
<img src={mapMarkerImg} alt="Happy" />
<footer>
<button type="button" onClick={goBack}>
<FiArrowLeft size={24} color="#FFF" />
</button>
</footer>
</aside>
);
}
Example #7
Source File: NotFound.tsx From dxvote with GNU Affero General Public License v3.0 | 6 votes |
NotFound: React.FC = () => {
return (
<Result
state={ResultState.ERROR}
title="That page doesn't exist."
subtitle="Make sure you typed the correct address."
extra={
<UnstyledLink to={`/`}>
<IconButton iconLeft>
<FiArrowLeft /> Take me home
</IconButton>
</UnstyledLink>
}
/>
);
}
Example #8
Source File: index.tsx From nlw-03-omnistack with MIT License | 6 votes |
export default function Sidebar() {
const { goBack } = useHistory();
return (
<aside className="sidebar">
<img src={mapMarkerImg} alt="Happy" />
<footer>
<button type="button" onClick={goBack}>
<FiArrowLeft size={24} color="#FFF" />
</button>
</footer>
</aside>
);
}
Example #9
Source File: WalletModal.tsx From dxvote with GNU Affero General Public License v3.0 | 6 votes |
BackIcon = styled(FiArrowLeft)`
height: 1.5rem;
width: 1.5rem;
cursor: pointer;
margin: 0;
padding: 0;
&:hover {
color: ${({ theme }) => theme.colors.muted};
}
`
Example #10
Source File: SidebarOverlay.tsx From meshtastic-web with GNU General Public License v3.0 | 5 votes |
SidebarOverlay = ({
title,
open,
close,
direction,
children,
}: SidebarOverlayProps): JSX.Element => {
return (
<AnimatePresence>
{open && (
<m.div
className="absolute z-30 flex h-full w-full flex-col bg-white dark:bg-primaryDark"
animate={direction === 'x' ? { translateX: 0 } : { translateY: 0 }}
initial={
direction === 'x' ? { translateX: '-100%' } : { translateY: '100%' }
}
exit={
direction === 'x' ? { translateX: '-100%' } : { translateY: '100%' }
}
transition={{ type: 'just' }}
>
{/* @ts-expect-error */}
<AnimateSharedLayout>
{/* <div className="flex gap-2 border-b border-gray-400 p-2 dark:border-gray-600"> */}
<div className="bg-white px-1 pt-1 drop-shadow-md dark:bg-primaryDark">
<div className="flex h-10 gap-1">
<div className="my-auto">
<IconButton
onClick={(): void => {
close();
}}
icon={<FiArrowLeft />}
/>
</div>
<div className="my-auto text-lg font-medium dark:text-white">
{title}
</div>
</div>
</div>
<div className="flex-grow overflow-y-auto">{children}</div>
</AnimateSharedLayout>
</m.div>
)}
</AnimatePresence>
);
}
Example #11
Source File: index.tsx From gobarber-web with MIT License | 5 votes |
SignUp: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const handleSubmit = useCallback(
async (data: SignUpFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome é obrigatório'),
email: Yup.string()
.required('E-mail é obrigatório')
.email('Digite um e-mail válido'),
password: Yup.string().min(6, 'No mínimo 6 dígitos'),
});
await schema.validate(data, { abortEarly: false });
await api.post('/users', data);
history.push('/');
addToast({
type: 'success',
title: 'Cadastro realizado!',
description: 'Você já pode fazer seu logon no GoBarber!',
});
} catch (err) {
if (err instanceof Yup.ValidationError) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
return;
}
addToast({
type: 'error',
title: 'Erro na cadastro',
description: 'Ocorreu um error ao fazer cadastro, tente novamente.',
});
}
},
[addToast, history],
);
return (
<Container>
<Background />
<Content>
<AnimationContainer>
<img src={logoImg} alt="GoBarber" />
<Form ref={formRef} onSubmit={handleSubmit}>
<h1>Faça seu cadastro</h1>
<Input name="name" icon={FiUser} placeholder="Nome" />
<Input name="email" icon={FiMail} placeholder="E-mail" />
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Senha"
/>
<Button type="submit">Cadastrar</Button>
</Form>
<Link to="/">
<FiArrowLeft />
Voltar para logon
</Link>
</AnimationContainer>
</Content>
</Container>
);
}
Example #12
Source File: index.tsx From GoBarber with MIT License | 5 votes |
SignUp: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const handleSubmit = useCallback(
async (data: SignUpFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome obrigatório'),
email: Yup.string()
.email('Digite email válido')
.required('Email obrigatório'),
password: Yup.string().min(6, 'Mínimo de 6 dígitos'),
});
await schema.validate(data, {
abortEarly: false,
});
await api.post('/users', data);
addToast({
type: 'success',
title: 'Cadastro realizado.',
description: 'Você já pode fazer o logon no GoBarber!',
});
history.push('/');
} catch (err) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
addToast({
type: 'error',
title: 'Erro no cadastro',
description: 'Ocorreu um erro ao fazer cadastro, tente novamente.',
});
}
},
[addToast, history],
);
return (
<Container>
<Background />
<Content>
<AnimationContainer>
<img src={logoImg} alt="logo" />
<Form ref={formRef} onSubmit={handleSubmit}>
<h1>Faça seu cadastro</h1>
<Input name="name" icon={FiUser} type="text" placeholder="Nome" />
<Input
name="email"
icon={FiMail}
type="email"
placeholder="E-mail"
/>
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Senha"
/>
<Button type="submit">Cadastrar</Button>
</Form>
<Link to="/">
<FiArrowLeft />
Voltar para Logon
</Link>
</AnimationContainer>
</Content>
</Container>
);
}
Example #13
Source File: NavigationBar.tsx From game-store-monorepo-app with MIT License | 4 votes |
NavigationBar: React.FC<NavigationBarProps> = ({ isSticky }) => {
const navigate = useNavigate();
const { pathname } = useLocation();
const { changeTheme, theme, themeList } = React.useContext(ThemeContext);
const { title } = React.useContext(NavigationContext);
const navbarClass = cn({
sticky: isSticky,
});
const isMainPage = checkIsMainPage(pathname);
const onBackButtonClick = () => {
navigate(-1);
};
const onThemeChange = React.useCallback(
(theme: ThemeValue) => {
return () => {
changeTheme(theme);
};
},
[changeTheme],
);
const themeDropdownItems = React.useMemo((): DropdownItem[] | null => {
if (!themeList) {
return null;
}
return themeList?.map(({ icon, label, value }) => {
return {
title: (
<div>
<span className="mr-3">{icon}</span>
{label}
</div>
),
onClick: onThemeChange(value),
className: cn({
active: theme === value,
}),
};
});
}, [onThemeChange, theme, themeList]);
const renderThemeDropDown = () => {
if (!themeDropdownItems) {
return null;
}
return (
<Dropdown items={themeDropdownItems} trigger="hover" className="max-h-96">
<Button isRounded isGhost className="px-0" size="small">
<div className="flex items-center">
<CgDarkMode size={22} className="mx-1" />
</div>
<div className="flex items-center">
<FiChevronDown size="22" />
</div>
</Button>
</Dropdown>
);
};
return (
<div
className={cn('navbar w-full bg-neutral text-neutral-content justify-between top-0 z-20 shadow-lg', navbarClass)}
>
<div className="w-[80%]">
<div className="mr-3">
{isMainPage ? null : (
<Button isSquare isGhost size="small" onClick={onBackButtonClick}>
<FiArrowLeft size={24} />
</Button>
)}
</div>
<p className="text-lg font-bold truncate">{title}</p>
</div>
<div>{renderThemeDropDown()}</div>
<Helmet>
<title>{title}</title>
</Helmet>
</div>
);
}
Example #14
Source File: index.tsx From nlw-01-omnistack with MIT License | 4 votes |
CreatePoint = () => {
const [items, setItems] = useState<Item[]>([]);
const [ufs, setUfs] = useState<string[]>([]);
const [cities, setCities] = useState<string[]>([]);
const [initialPosition, setInitialPosition] = useState<[number, number]>([0, 0]);
const [formData, setFormData] = useState({
name: '',
email: '',
whatsapp: '',
});
const [selectedUf, setSelectedUf] = useState('0');
const [selectedCity, setSelectedCity] = useState('0');
const [selectedItems, setSelectedItems] = useState<number[]>([]);
const [selectedPosition, setSelectedPosition] = useState<[number, number]>([0, 0]);
const [selectedFile, setSelectedFile] = useState<File>();
const history = useHistory();
useEffect(() => {
navigator.geolocation.getCurrentPosition(position => {
const { latitude, longitude } = position.coords;
setInitialPosition([latitude, longitude]);
});
}, []);
useEffect(() => {
api.get('items').then(response => {
setItems(response.data);
});
}, []);
useEffect(() => {
axios.get<IBGEUFResponse[]>('https://servicodados.ibge.gov.br/api/v1/localidades/estados').then(response => {
const ufInitials = response.data.map(uf => uf.sigla);
setUfs(ufInitials);
});
}, []);
useEffect(() => {
if (selectedUf === '0') {
return;
}
axios
.get<IBGECityResponse[]>(`https://servicodados.ibge.gov.br/api/v1/localidades/estados/${selectedUf}/municipios`)
.then(response => {
const cityNames = response.data.map(city => city.nome);
setCities(cityNames);
});
}, [selectedUf]);
function handleSelectUf(event: ChangeEvent<HTMLSelectElement>) {
const uf = event.target.value;
setSelectedUf(uf);
}
function handleSelectCity(event: ChangeEvent<HTMLSelectElement>) {
const city = event.target.value;
setSelectedCity(city);
}
function handleMapClick(event: LeafletMouseEvent) {
setSelectedPosition([
event.latlng.lat,
event.latlng.lng,
])
}
function handleInputChange(event: ChangeEvent<HTMLInputElement>) {
const { name, value } = event.target;
setFormData({ ...formData, [name]: value });
}
function handleSelectItem(id: number) {
const alreadySelected = selectedItems.findIndex(item => item === id);
if (alreadySelected >= 0) {
const filteredItems = selectedItems.filter(item => item !== id);
setSelectedItems(filteredItems);
} else {
setSelectedItems([ ...selectedItems, id ]);
}
}
async function handleSubmit(event: FormEvent) {
event.preventDefault();
const { name, email, whatsapp } = formData;
const uf = selectedUf;
const city = selectedCity;
const [latitude, longitude] = selectedPosition;
const items = selectedItems;
const data = new FormData();
data.append('name', name);
data.append('email', email);
data.append('whatsapp', whatsapp);
data.append('uf', uf);
data.append('city', city);
data.append('latitude', String(latitude));
data.append('longitude', String(longitude));
data.append('items', items.join(','));
if (selectedFile) {
data.append('image', selectedFile)
}
await api.post('points', data);
alert('Ponto de coleta criado!');
history.push('/');
}
return (
<div id="page-create-point">
<header>
<img src={logo} alt="Ecoleta" />
<Link to="/">
<FiArrowLeft />
Voltar para home
</Link>
</header>
<form onSubmit={handleSubmit}>
<h1>Cadastro do <br /> ponto de coleta</h1>
<Dropzone onFileUploaded={setSelectedFile} />
<fieldset>
<header role="legend">
<h2>Dados</h2>
</header>
<div className="field">
<label htmlFor="name">Nome da entidade</label>
<input
type="text"
name="name"
id="name"
onChange={handleInputChange}
/>
</div>
<div className="field-group">
<div className="field">
<label htmlFor="email">E-mail</label>
<input
type="email"
name="email"
id="email"
onChange={handleInputChange}
/>
</div>
<div className="field">
<label htmlFor="whatsapp">Whatsapp</label>
<input
type="text"
name="whatsapp"
id="whatsapp"
onChange={handleInputChange}
/>
</div>
</div>
</fieldset>
<fieldset>
<header role="legend">
<h2>Endereço</h2>
<span>Selecione o endereço no mapa</span>
</header>
<Map center={initialPosition} zoom={15} onClick={handleMapClick}>
<TileLayer
attribution='&copy <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
url="https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png"
/>
<Marker position={selectedPosition} />
</Map>
<div className="field-group">
<div className="field">
<label htmlFor="uf">Estado (UF)</label>
<select
name="uf"
id="uf"
value={selectedUf}
onChange={handleSelectUf}
>
<option value="0">Selecione uma UF</option>
{ufs.map(uf => (
<option key={uf} value={uf}>{uf}</option>
))}
</select>
</div>
<div className="field">
<label htmlFor="city">Cidade</label>
<select
name="city"
id="city"
value={selectedCity}
onChange={handleSelectCity}
>
<option value="0">Selecione uma cidade</option>
{cities.map(city => (
<option key={city} value={city}>{city}</option>
))}
</select>
</div>
</div>
</fieldset>
<fieldset>
<header role="legend">
<h2>Ítens de coleta</h2>
<span>Selecione um ou mais ítens abaixo</span>
</header>
<ul className="items-grid">
{items.map(item => (
<li
key={item.id}
onClick={() => handleSelectItem(item.id)}
className={selectedItems.includes(item.id) ? 'selected' : ''}
>
<img src={item.image_url} alt={item.title} />
<span>{item.title}</span>
</li>
))}
</ul>
</fieldset>
<button type="submit">
Cadastrar ponto de coleta
</button>
</form>
</div>
);
}
Example #15
Source File: index.tsx From nlw-ecoleta with MIT License | 4 votes |
export function CreatePoint() {
const [items, setItems] = useState<Item[]>([]);
const [ufs, setUfs] = useState<string[]>([]);
const [cities, setCities] = useState<string[]>([]);
const [selectedItems, setSelectedItems] = useState<number[]>([]);
const [initialPosition, setInitialPosition] = useState<[number, number]>([0, 0]);
const [selectedFile, setSelectedFile] = useState<File>();
const [formData, setFormData] = useState({
name: '',
email: '',
whatsapp: '',
});
const [selectedUf, setSelectedUf] = useState('0');
const [selectedCity, setSelectedCity] = useState('0');
const [selectedPosition, setSelectedPosition] = useState<[number, number]>([0, 0]);
const history = useNavigate();
useEffect (() => {
navigator.geolocation.getCurrentPosition(position => {
const { latitude, longitude } = position.coords;
setInitialPosition([latitude, longitude]);
});
}, []);
useEffect(() => {
api.get('items').then(response => {
setItems(response.data);
});
}, []);
useEffect(() => {
axios
.get<IBGEUFResponse[]>('https://servicodados.ibge.gov.br/api/v1/localidades/estados')
.then(response => {
const ufInitials = response.data.map(uf => uf.sigla);
setUfs(ufInitials);
});
}, []);
useEffect(() => {
if(selectedUf === '0') {
return;
}
axios
.get<IBGECityResponse[]>(`https://servicodados.ibge.gov.br/api/v1/localidades/estados/${selectedUf}/municipios`)
.then(response => {
const cityNames = response.data.map(city => city.nome);
setCities(cityNames);
});
} , [selectedUf]);
function handleSelectUf(event: ChangeEvent<HTMLSelectElement>) {
const uf = event.target.value;
setSelectedUf(uf);
}
function handleSelectCity(event: ChangeEvent<HTMLSelectElement>) {
const city = event.target.value;
setSelectedCity(city);
}
function handleMapClick(event: LeafletMouseEvent) {
setSelectedPosition([
event.latlng.lat,
event.latlng.lng,
]);
}
function handleInputChange(event: ChangeEvent<HTMLInputElement>){
const { name, value } = event.target;
setFormData({ ...formData, [name]: value });
}
function handleSelectItem(id: number) {
const alreadySelected = selectedItems.findIndex(item => item === id);
if (alreadySelected >= 0) {
const filteredItems = selectedItems.filter(item => item !== id);
setSelectedItems(filteredItems);
}
else {
setSelectedItems([ ...selectedItems, id ]);
}
}
async function handleSubmit(event: FormEvent) {
event.preventDefault();
const { name, email, whatsapp } = formData;
const uf = selectedUf;
const city = selectedCity;
const [ latitude, longitude ] = selectedPosition;
const items = selectedItems;
const data = new FormData();
data.append('name', name);
data.append('email', email);
data.append('whatsapp', whatsapp);
data.append('uf', uf);
data.append('city', city);
data.append('latitude', String(latitude));
data.append('longitude', String(longitude));
data.append('items', items.join(','));
if (selectedFile) {
data.append('image', selectedFile);
}
await api.post('points', data);
alert('Ponto de coleta criado.');
history('/');
}
// function LocationMarker() {
// const map = useMapEvents({
// click() {
// map.locate();
// },
// locationfound(e) {
// setSelectedPosition(e.latlng as any);
// map.flyTo(e.latlng, map.getZoom());
// },
// });
// return selectedPosition === null ? null : (
// <Marker position={selectedPosition} />
// );
// }
return (
<div id='page-create-point'>
<header>
<img src={ logo } alt="Ecoleta" />
<Link to='/'>
<FiArrowLeft />
Voltar para home
</Link>
</header>
<form onSubmit={handleSubmit}>
<h1>Cadastro do <br /> ponto de coleta</h1>
<Dropzone onFileUploaded={setSelectedFile} />
<fieldset>
<legend>
<h2> Dados </h2>
</legend>
<div className='field'>
<label htmlFor="name"> Nome da entidade</label>
<input
type="text"
name="name"
id="name"
onChange={handleInputChange}
/>
</div>
<div className="field-group">
<div className='field'>
<label htmlFor="email"> E-mail</label>
<input
type="email"
name="email"
id="email"
onChange={handleInputChange}
/>
</div>
<div className='field'>
<label htmlFor="name"> Whatsapp</label>
<input
type="text"
name="whatsapp"
id="whatsapp"
onChange={handleInputChange}
/>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2> Endereço </h2>
<span>Selecione o endereço no mapa</span>
</legend>
<MapContainer center={initialPosition} zoom={5} onClick={handleMapClick}>
<TileLayer
attribution='© <a href="https://www.openstreetmap.org/copyright">OpenStreetMap</a> contributors'
url="https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png"
/>
<Marker position={selectedPosition}></Marker>
</MapContainer>
<div className="field-group">
<div className="field">
<label htmlFor="uf"> Estado (UF)</label>
<select
name="uf"
id="uf"
value={selectedUf}
onChange={handleSelectUf}
>
<option value="0"> Selecione um UF</option>
{ufs.map(uf => (
<option key={uf} value={uf}> {uf}</option>
))}
</select>
</div>
<div className="field">
<label htmlFor="city"> Cidade</label>
<select
name="city"
id="city"
value={selectedCity}
onChange={handleSelectCity}
>
<option value="0"> Selecione uma cidade</option>
{cities.map(city => (
<option key={city} value={city}> {city}</option>
))}
</select>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2> Itens de coleta </h2>
<span>Selecione um ou mais itens abaixo</span>
</legend>
<ul className='items-grid'>
{items.map(item =>(
<li
key={item.id}
onClick={() => handleSelectItem(item.id)}
className={selectedItems.includes(item.id) ? 'selected' : ''}
>
<img src={item.image_url} alt={item.title}/>
<span>{item.title}</span>
</li>
))}
</ul>
</fieldset>
<button type="submit">Cadastrar ponto de coleta</button>
</form>
</div>
);
}
Example #16
Source File: index.tsx From ecoleta with MIT License | 4 votes |
CreatePoint: React.FC = () => {
const [items, setItems] = useState<Item[]>([]);
const [selectedItems, setSelectedItems] = useState<number[]>([]);
const [ufs, setUfs] = useState<string[]>([]);
const [selectedUf, setSelectedUf] = useState('0');
const [cities, setCities] = useState<string[]>([]);
const [selectedCity, setSelectedCity] = useState('0');
const [selectedPosition, setSelectedPosition] = useState<[number, number]>([0, 0]);
const [initialMapPosition, setInitialMapPosition] = useState<[number, number]>([0, 0]);
const [selectedFile, setSelectedFile] = useState<File>();
const [formData, setFormData] = useState({
name: '',
email: '',
whatsapp: '',
});
const history = useHistory();
useEffect(() => {
navigator.geolocation.getCurrentPosition(position => {
const { latitude, longitude } = position.coords;
setInitialMapPosition([latitude, longitude]);
});
}, []);
useEffect(() => {
api.get('items').then(response => {
setItems(response.data);
});
}, []);
useEffect(() => {
axios
.get<IBGEUFResponse[]>('https://servicodados.ibge.gov.br/api/v1/localidades/estados')
.then(response => {
const ufInitials = response.data.map(uf => uf.sigla);
setUfs(ufInitials);
});
}, []);
useEffect(() => {
if (selectedUf === '0') {
return;
}
axios
.get<IBGECityResponse[]>(`https://servicodados.ibge.gov.br/api/v1/localidades/estados/${selectedUf}/municipios`)
.then(response => {
const cityNames = response.data.map(city => city.nome);
setCities(cityNames);
});
}, [selectedUf]);
function handleSelectUf(event: ChangeEvent<HTMLSelectElement>) {
const uf = event.target.value;
setSelectedUf(uf);
}
function handleSelectCity(event: ChangeEvent<HTMLSelectElement>) {
const city = event.target.value;
setSelectedCity(city);
}
function handleMapClick(event: LeafletMouseEvent) {
setSelectedPosition([
event.latlng.lat,
event.latlng.lng
])
}
function handleInputChange(event: ChangeEvent<HTMLInputElement>) {
const { name, value } = event.target;
setFormData({ ...formData, [name]: value });
}
function handleSelectItem(id: number) {
const alreadSelected = selectedItems.findIndex(item => item === id);
if (alreadSelected >= 0) {
const filteredItems = selectedItems.filter(item => item !== id);
setSelectedItems(filteredItems);
} else {
setSelectedItems([ ...selectedItems, id]);
}
}
async function handleSubmit(event: FormEvent) {
event.preventDefault();
const { name, email, whatsapp } = formData;
const uf = selectedUf;
const city = selectedCity;
const [latitude, longitude] = selectedPosition;
const items = selectedItems;
const data = new FormData();
data.append('name', name);
data.append('email', email);
data.append('whatsapp', whatsapp);
data.append('uf', uf);
data.append('city', city);
data.append('latitude', String(latitude));
data.append('longitude', String(longitude));
data.append('items', items.join(','));
if (selectedFile) {
data.append('image', selectedFile);
}
await api.post('points', data);
alert('Ponto de Coleta Criado!');
history.push('/');
}
return (
<div id="page-create-point">
<header>
<img src={logo} alt="Ecoleta Logo"/>
<Link to="/">
<FiArrowLeft />
Voltar para home
</Link>
</header>
<form onSubmit={handleSubmit}>
<h1>Cadastro do <br />ponto de coleta</h1>
<Dropzone onFileUploaded={setSelectedFile} />
<fieldset>
<legend>
<h2>Dados</h2>
</legend>
<div className="field">
<label htmlFor="name">Nome da entidade</label>
<input
type="text"
name="name"
id="name"
onChange={handleInputChange}
/>
</div>
<div className="field-group">
<div className="field">
<label htmlFor="email">E-mail</label>
<input
type="email"
name="email"
id="email"
onChange={handleInputChange}
/>
</div>
<div className="field">
<label htmlFor="whatsapp">Whatsapp</label>
<input
type="text"
name="whatsapp"
id="whatsapp"
onChange={handleInputChange}
/>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2>Endereço</h2>
<span>Selecione o endereço no mapa</span>
</legend>
<Map center={initialMapPosition} zoom={15} onClick={handleMapClick}>
<TileLayer
attribution='&copy <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
url="https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png"
/>
<Marker position={selectedPosition}/>
</Map>
<div className="field-group">
<div className="field">
<label htmlFor="uf">Estado (UF)</label>
<select
name="uf"
id="uf"
value={selectedUf}
onChange={handleSelectUf}
>
<option value="0">Selecione uma UF</option>
{ufs.map(uf => (
<option key={uf} value={uf}>{uf}</option>
))}
</select>
</div>
<div className="field">
<label htmlFor="city">Cidade</label>
<select
name="city"
id="city"
value={selectedCity}
onChange={handleSelectCity}
>
<option value="0">Selecione uma cidade</option>
{cities.map(city => (
<option key={city} value={city}>{city}</option>
))}
</select>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2>Ítens de coleta</h2>
<span>Selecione um ou mais ítens abaixo</span>
</legend>
<ul className="items-grid">
{items.map(item => (
<li
key={item.id}
onClick={() => handleSelectItem(item.id)}
className={selectedItems.includes(item.id) ? 'selected' : ''}
>
<img src={item.image_url} alt={item.title}/>
<span>{item.title}</span>
</li>
))}
</ul>
</fieldset>
<button type="submit">
Cadastrar ponto de coleta
</button>
</form>
</div>
);
}
Example #17
Source File: create-database.tsx From ledokku with MIT License | 4 votes |
CreateDatabase = () => {
const location = useLocation();
const history = useHistory();
const toast = useToast();
const { data: dataDb } = useDatabaseQuery();
const [arrayOfCreateDbLogs, setArrayofCreateDbLogs] = useState<RealTimeLog[]>(
[]
);
const [isTerminalVisible, setIsTerminalVisible] = useState(false);
const [createDatabaseMutation] = useCreateDatabaseMutation();
const [
isDbCreationSuccess,
setIsDbCreationSuccess,
] = useState<DbCreationStatus>();
useCreateDatabaseLogsSubscription({
onSubscriptionData: (data) => {
const logsExist = data.subscriptionData.data?.createDatabaseLogs;
if (logsExist) {
setArrayofCreateDbLogs((currentLogs) => {
return [...currentLogs, logsExist];
});
if (logsExist.type === 'end:success') {
setIsDbCreationSuccess(DbCreationStatus.SUCCESS);
} else if (logsExist.type === 'end:failure') {
setIsDbCreationSuccess(DbCreationStatus.FAILURE);
}
}
},
});
const createDatabaseSchema = yup.object({
type: yup
.string()
.oneOf(['POSTGRESQL', 'MYSQL', 'MONGODB', 'REDIS'])
.required(),
name: yup.string().when('type', (type: DatabaseTypes) => {
return yup
.string()
.required('Database name is required')
.matches(/^[a-z0-9-]+$/)
.test(
'Name already exists',
`You already have created ${type} database with this name`,
(name) =>
!dataDb?.databases.find(
(db) => db.name === name && type === db.type
)
);
}),
});
const [
isDokkuPluginInstalled,
{ data, loading, error: isDokkuPluginInstalledError },
] = useIsPluginInstalledLazyQuery({
// we poll every 5 sec
pollInterval: 5000,
});
const formik = useFormik<{ name: string; type: DatabaseTypes }>({
initialValues: {
name: location.state ? (location.state as string) : '',
type: 'POSTGRESQL',
},
validateOnChange: true,
validationSchema: createDatabaseSchema,
onSubmit: async (values) => {
try {
await createDatabaseMutation({
variables: {
input: { name: values.name, type: values.type },
},
});
setIsTerminalVisible(true);
trackGoal(trackingGoals.createDatabase, 0);
} catch (error) {
toast.error(error.message);
}
},
});
const isPluginInstalled = data?.isPluginInstalled.isPluginInstalled;
const handleNext = () => {
setIsTerminalVisible(false);
const dbId = arrayOfCreateDbLogs[arrayOfCreateDbLogs.length - 1].message;
history.push(`database/${dbId}`);
};
// Effect for checking whether plugin is installed
useEffect(() => {
isDokkuPluginInstalled({
variables: {
pluginName: dbTypeToDokkuPlugin(formik.values.type),
},
});
}, [formik.values.type, isPluginInstalled, isDokkuPluginInstalled]);
// Effect for db creation
useEffect(() => {
isDbCreationSuccess === DbCreationStatus.FAILURE
? toast.error('Failed to create database')
: isDbCreationSuccess === DbCreationStatus.SUCCESS &&
toast.success('Database created successfully');
}, [isDbCreationSuccess, toast]);
return (
<>
<HeaderContainer>
<Header />
</HeaderContainer>
<Container maxW="5xl" my="4">
<Heading as="h2" size="md">
Create a new database
</Heading>
<Box mt="12">
{isTerminalVisible ? (
<>
<Text mb="2">
Creating <b>{formik.values.type}</b> database{' '}
<b>{formik.values.name}</b>
</Text>
<Text mb="2" color="gray.500">
Creating database usually takes a couple of minutes. Breathe in,
breathe out, logs are about to appear below:
</Text>
<Terminal>
{arrayOfCreateDbLogs.map((log) => (
<Text key={arrayOfCreateDbLogs.indexOf(log)} size="small">
{log.message}
</Text>
))}
</Terminal>
{!!isDbCreationSuccess &&
isDbCreationSuccess === DbCreationStatus.SUCCESS ? (
<Box mt="12" display="flex" justifyContent="flex-end">
<Button
onClick={() => handleNext()}
rightIcon={<FiArrowRight size={20} />}
>
Next
</Button>
</Box>
) : !!isDbCreationSuccess &&
isDbCreationSuccess === DbCreationStatus.FAILURE ? (
<Box mt="12" display="flex" justifyContent="flex-end">
<Button
onClick={() => {
setIsTerminalVisible(false);
formik.resetForm();
}}
rightIcon={<FiArrowLeft size={20} />}
>
Back
</Button>
</Box>
) : null}
</>
) : (
<Box mt="8">
<form onSubmit={formik.handleSubmit}>
<Box mt="12">
{loading && (
<Center>
<Spinner />
</Center>
)}
{isDokkuPluginInstalledError ? (
<Alert
status="error"
variant="top-accent"
flexDirection="column"
alignItems="flex-start"
borderBottomRadius="base"
boxShadow="md"
>
<AlertTitle mr={2}>Request failed</AlertTitle>
<AlertDescription>
{isDokkuPluginInstalledError.message}
</AlertDescription>
</Alert>
) : null}
{data?.isPluginInstalled.isPluginInstalled === false &&
!loading && (
<>
<Text mt="3">
Before creating a{' '}
<b>{formik.values.type.toLowerCase()}</b> database,
you will need to run this command on your dokku
server.
</Text>
<Terminal>{`sudo dokku plugin:install https://github.com/dokku/dokku-${dbTypeToDokkuPlugin(
formik.values.type
)}.git ${dbTypeToDokkuPlugin(
formik.values.type
)}`}</Terminal>
<Text mt="3">
Couple of seconds later you will be able to proceed
further.
</Text>
</>
)}
{data?.isPluginInstalled.isPluginInstalled === true &&
!loading && (
<SimpleGrid columns={{ sm: 1, md: 3 }}>
<FormControl
id="name"
isInvalid={Boolean(
formik.errors.name && formik.touched.name
)}
>
<FormLabel>Database name</FormLabel>
<Input
autoComplete="off"
id="name"
name="name"
value={formik.values.name}
onChange={formik.handleChange}
onBlur={formik.handleBlur}
/>
<FormErrorMessage>
{formik.errors.name}
</FormErrorMessage>
</FormControl>
</SimpleGrid>
)}
</Box>
<Box mt="12">
<Text mb="2">Choose your database</Text>
<Grid
templateColumns={{
base: 'repeat(2, minmax(0, 1fr))',
md: 'repeat(4, minmax(0, 1fr))',
}}
gap="4"
>
<DatabaseBox
selected={formik.values.type === 'POSTGRESQL'}
label="PostgreSQL"
icon={<PostgreSQLIcon size={40} />}
onClick={() => formik.setFieldValue('type', 'POSTGRESQL')}
/>
<DatabaseBox
selected={formik.values.type === 'MYSQL'}
label="MySQL"
icon={<MySQLIcon size={40} />}
onClick={() => formik.setFieldValue('type', 'MYSQL')}
/>
<DatabaseBox
selected={formik.values.type === 'MONGODB'}
label="Mongo"
icon={<MongoIcon size={40} />}
onClick={() => formik.setFieldValue('type', 'MONGODB')}
/>
<DatabaseBox
selected={formik.values.type === 'REDIS'}
label="Redis"
icon={<RedisIcon size={40} />}
onClick={() => formik.setFieldValue('type', 'REDIS')}
/>
</Grid>
</Box>
<Box mt="12" display="flex" justifyContent="flex-end">
<Button
isLoading={formik.isSubmitting}
disabled={
data?.isPluginInstalled.isPluginInstalled === false ||
!formik.values.name ||
!!formik.errors.name ||
!dataDb?.databases
}
rightIcon={<FiArrowRight size={20} />}
type="submit"
>
Create
</Button>
</Box>
</form>
</Box>
)}
</Box>
</Container>
</>
);
}
Example #18
Source File: create-app-github.tsx From ledokku with MIT License | 4 votes |
CreateAppGithub = () => {
const history = useHistory();
const toast = useToast();
const { user } = useAuth();
const { data: dataApps } = useAppsQuery();
const [isNewWindowClosed, setIsNewWindowClosed] = useState(false);
const [selectedRepo, setSelectedRepo] = useState<Repository>();
const [selectedBranch, setSelectedBranch] = useState('');
const [isProceedModalOpen, setIsProceedModalOpen] = useState(false);
const {
data: installationData,
loading: installationLoading,
} = useGithubInstallationIdQuery({ fetchPolicy: 'network-only' });
const [
getRepos,
{ data: reposData, loading: reposLoading },
] = useRepositoriesLazyQuery({ fetchPolicy: 'network-only' });
const [
getBranches,
{ data: branchesData, loading: branchesLoading },
] = useBranchesLazyQuery({ fetchPolicy: 'network-only' });
const [arrayOfCreateAppLogs, setArrayOfCreateAppLogs] = useState<
RealTimeLog[]
>([]);
const [isTerminalVisible, setIsTerminalVisible] = useState(false);
const [isToastShown, setIsToastShown] = useState(false);
const [createAppGithubMutation, { loading }] = useCreateAppGithubMutation();
const [
isAppCreationSuccess,
setIsAppCreationSuccess,
] = useState<AppCreationStatus>();
useAppCreateLogsSubscription({
onSubscriptionData: (data) => {
const logsExist = data.subscriptionData.data?.appCreateLogs;
if (logsExist) {
setArrayOfCreateAppLogs((currentLogs) => {
return [...currentLogs, logsExist];
});
if (logsExist.type === 'end:success') {
setIsAppCreationSuccess(AppCreationStatus.SUCCESS);
} else if (logsExist.type === 'end:failure') {
setIsAppCreationSuccess(AppCreationStatus.FAILURE);
}
}
},
});
const createAppGithubSchema = yup.object().shape({
name: yup
.string()
.required('App name is required')
.matches(/^[a-z0-9-]+$/)
.test(
'Name exists',
'App with this name already exists',
(val) => !dataApps?.apps.find((app) => app.name === val)
),
repo: yup.object({
fullName: yup.string().required(),
id: yup.string().required(),
name: yup.string().required(),
}),
installationId: yup.string().required(),
gitBranch: yup.string().optional(),
});
const formik = useFormik<{
name: string;
repo: {
fullName: string;
id: string;
name: string;
};
installationId: string;
gitBranch: string;
}>({
initialValues: {
name: '',
repo: {
fullName: '',
id: '',
name: '',
},
installationId: '',
gitBranch: '',
},
validateOnChange: true,
validationSchema: createAppGithubSchema,
onSubmit: async (values) => {
if (installationData) {
try {
await createAppGithubMutation({
variables: {
input: {
name: values.name,
gitRepoFullName: values.repo.fullName,
branchName: values.gitBranch,
gitRepoId: values.repo.id,
githubInstallationId: values.installationId,
},
},
});
setIsTerminalVisible(true);
} catch (error) {
error.message === 'Not Found'
? toast.error(`Repository : ${values.repo.fullName} not found`)
: toast.error(error.message);
}
}
},
});
const handleNext = () => {
setIsTerminalVisible(false);
const appId = arrayOfCreateAppLogs[arrayOfCreateAppLogs.length - 1].message;
history.push(`app/${appId}`, 'new');
trackGoal(trackingGoals.createAppGithub, 0);
};
const handleOpen = () => {
const newWindow = window.open(
`https://github.com/apps/${config.githubAppName}/installations/new`,
'Install App',
'resizable=1, scrollbars=1, fullscreen=0, height=1000, width=1020,top=' +
window.screen.width +
', left=' +
window.screen.width +
', toolbar=0, menubar=0, status=0'
);
const timer = setInterval(async () => {
if (newWindow && newWindow.closed) {
setIsNewWindowClosed(true);
clearInterval(timer);
}
}, 100);
};
useEffect(() => {
if (!installationLoading && installationData && isNewWindowClosed) {
getRepos({
variables: {
installationId: installationData.githubInstallationId.id,
},
});
setIsNewWindowClosed(false);
}
}, [
installationData,
installationLoading,
isNewWindowClosed,
setIsNewWindowClosed,
getRepos,
]);
useEffect(() => {
if (
!installationLoading &&
installationData &&
!reposLoading &&
reposData &&
selectedRepo
) {
getBranches({
variables: {
installationId: installationData.githubInstallationId.id,
repositoryName: selectedRepo.name,
},
});
}
}, [
installationData,
installationLoading,
reposData,
reposLoading,
getBranches,
selectedRepo?.name,
selectedRepo,
]);
const handleChangeRepo = (active: RepoOption) => {
setSelectedRepo(active.value);
setSelectedBranch('');
if (installationData) {
formik.setValues({
name: active.value.name,
installationId: installationData?.githubInstallationId.id,
repo: {
fullName: active.value.fullName,
name: active.value.name,
id: active.value.id,
},
gitBranch: '',
});
}
};
const handleChangeBranch = (active: BranchOption) => {
setSelectedBranch(active.value.name);
formik.setFieldValue('gitBranch', active.value.name);
};
const repoOptions: RepoOption[] = [];
if (reposData && !reposLoading) {
reposData?.repositories.map((r) =>
repoOptions.push({ value: r, label: r.fullName })
);
}
let branchOptions: BranchOption[] = [];
if (branchesData && !branchesLoading) {
branchesData.branches.map((b) =>
branchOptions.push({ value: b, label: b.name })
);
}
useEffect(() => {
if (installationData && !installationLoading) {
getRepos({
variables: {
installationId: installationData?.githubInstallationId.id,
},
});
}
}, [installationLoading, getRepos, installationData]);
useEffect(() => {
if (selectedRepo && installationData) {
getBranches({
variables: {
installationId: installationData?.githubInstallationId.id,
repositoryName: selectedRepo.name,
},
});
}
}, [selectedRepo, getBranches, installationData]);
// Effect for app creation
useEffect(() => {
isAppCreationSuccess === AppCreationStatus.FAILURE && !isToastShown
? toast.error('Failed to create an app') && setIsToastShown(true)
: isAppCreationSuccess === AppCreationStatus.SUCCESS &&
!isToastShown &&
toast.success('App created successfully') &&
setIsToastShown(true);
}, [isToastShown, isAppCreationSuccess, toast]);
return (
<>
<HeaderContainer>
<Header />
</HeaderContainer>
<Container maxW="5xl" mt={10}>
{isTerminalVisible ? (
<>
<p className="mb-2 ">
Creating <b>{formik.values.name}</b> app from{' '}
<b>{formik.values.repo.name}</b>
</p>
<p className="text-gray-500 mb-2">
Creating app usually takes a couple of minutes. Breathe in,
breathe out, logs are about to appear below:
</p>
<Terminal className={'w-6/6'}>
{arrayOfCreateAppLogs.map((log) => (
<p
key={arrayOfCreateAppLogs.indexOf(log)}
className={'text-s leading-5'}
>
{log.message?.replaceAll('[1G', '')}
</p>
))}
</Terminal>
{!!isAppCreationSuccess &&
isAppCreationSuccess === AppCreationStatus.SUCCESS ? (
<div className="mt-12 flex justify-end">
<Button
onClick={() => handleNext()}
color="grey"
iconEnd={<FiArrowRight size={20} />}
>
Next
</Button>
</div>
) : !!isAppCreationSuccess &&
isAppCreationSuccess === AppCreationStatus.FAILURE ? (
<div className="mt-12 flex justify-start">
<Button
onClick={() => {
setIsTerminalVisible(false);
formik.resetForm();
}}
color="grey"
iconEnd={<FiArrowLeft size={20} />}
>
Back
</Button>
</div>
) : null}
</>
) : (
<>
<Heading as="h2" size="md">
Create a new GitHub application
</Heading>
{installationData &&
!installationLoading &&
reposData &&
!reposLoading ? (
<>
<Text color="gray.400">
When you push to Git, your application will be redeployed
automatically.
</Text>
<Grid
templateColumns={{
sm: 'repeat(1, 1fr)',
md: 'repeat(3, 1fr)',
}}
>
<GridItem colSpan={2}>
<Flex alignItems="center" mt="12">
<Avatar
size="sm"
name={user?.userName}
src={user?.avatarUrl}
/>
<Text ml="2" fontWeight="bold">
{user?.userName}
</Text>
</Flex>
<form onSubmit={formik.handleSubmit}>
<Box mt="8">
<FormLabel>Repository</FormLabel>
<Select
placeholder="Select repository"
isSearchable={false}
onChange={handleChangeRepo}
options={repoOptions}
/>
</Box>
<Text mt="1" color="gray.400" fontSize="sm">
Can't see your repo in the list?{' '}
<Link
onClick={() => setIsProceedModalOpen(true)}
textDecoration="underline"
>
Configure the GitHub app.
</Link>
</Text>
<Box mt="8">
<FormLabel>Branch to deploy</FormLabel>
<Select
placeholder="Select branch"
isSearchable={false}
disabled={
!branchesData ||
branchesLoading ||
reposLoading ||
!reposData
}
onChange={handleChangeBranch}
options={branchOptions}
/>
</Box>
<Box mt="8" display="flex" justifyContent="flex-end">
<Button
type="submit"
color="grey"
disabled={!selectedBranch || !selectedRepo}
isLoading={loading}
>
Create
</Button>
</Box>
</form>
</GridItem>
</Grid>
</>
) : !reposLoading && !installationLoading && !reposData ? (
<>
<Alert mb="4" mt="4" w="65%" status="info">
<AlertIcon />
<Box flex="1">
<AlertTitle>Set up repository permissions</AlertTitle>
<AlertDescription display="block">
First you will need to set up permissions for repositories
that you would like to use with Ledokku. Once that's done,
it's time to choose repo and branch that you would like to
create app from and off we go.
</AlertDescription>
</Box>
</Alert>
<Button
color="grey"
onClick={() => setIsProceedModalOpen(true)}
>
Set up permissions
</Button>
</>
) : (
<Spinner />
)}
</>
)}
<Modal
isOpen={isProceedModalOpen}
onClose={() => setIsProceedModalOpen(false)}
isCentered
>
<ModalOverlay />
<ModalContent>
<ModalHeader>Github setup info</ModalHeader>
<ModalCloseButton />
<ModalBody>
New window is about to open. After you are done selecting github
repos, close the window and refresh page.
</ModalBody>
<ModalFooter>
<Button
color="grey"
variant="outline"
className="mr-3"
onClick={() => setIsProceedModalOpen(false)}
>
Cancel
</Button>
<Button
color="grey"
onClick={() => {
handleOpen();
setIsProceedModalOpen(false);
}}
>
Proceed
</Button>
</ModalFooter>
</ModalContent>
</Modal>
</Container>
</>
);
}
Example #19
Source File: index.tsx From GoBarber with MIT License | 4 votes |
Profile: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const { user, updateUser } = useAuth();
const handleSubmit = useCallback(
async (data: ProfileFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome obrigatório'),
email: Yup.string()
.email('Digite email válido')
.required('Email obrigatório'),
oldPassword: Yup.string(),
password: Yup.string().when('oldPassword', {
is: String,
then: Yup.string().min(6),
otherwise: Yup.string(),
}),
passwordConfirmation: Yup.string()
.when('oldPassword', {
is: String,
then: Yup.string().required('Campo obrigatório'),
otherwise: Yup.string(),
})
.oneOf([Yup.ref('password')], 'Senhas diferentes'),
});
await schema.validate(data, {
abortEarly: false,
});
const {
name,
email,
oldPassword,
password,
passwordConfirmation,
} = data;
const formData = {
name,
email,
...(oldPassword
? {
oldPassword,
password,
passwordConfirmation,
}
: {}),
};
console.log(formData);
const response = await api.put('/profile', formData);
updateUser(response.data);
history.push('/dashboard');
addToast({
type: 'success',
title: 'Perfil alterado',
description: 'Suas alterações foram salvas com sucesso',
});
history.push('/');
} catch (err) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
addToast({
type: 'error',
title: 'Erro na atualização',
description: 'Ocorreu um erro ao atualizar o perfil',
});
}
},
[addToast, history, updateUser],
);
const handleAvatarChange = useCallback(
(event: ChangeEvent<HTMLInputElement>) => {
if (event.target.files) {
const data = new FormData();
data.append('avatar', event.target.files[0]);
api
.patch('/users/avatar', data)
.then((response) => {
updateUser(response.data);
addToast({
type: 'success',
title: 'Avatar atualizado',
});
})
.catch(() => {
addToast({
type: 'error',
title: 'Erro ao atualizar avatar',
});
});
}
},
[addToast, updateUser],
);
return (
<Container>
<Header>
<div>
<Link to="/dashboard">
<FiArrowLeft />
</Link>
</div>
</Header>
<Content>
<Form
initialData={{
name: user.name,
email: user.email,
}}
ref={formRef}
onSubmit={handleSubmit}
>
<AvatarInput>
<img src={user.avatar_url} alt={user.name} />
<label htmlFor="avatar">
<FiCamera />
<input type="file" id="avatar" onChange={handleAvatarChange} />
</label>
</AvatarInput>
<h1>Meu Perfil</h1>
<Input name="name" icon={FiUser} type="text" placeholder="Nome" />
<Input name="email" icon={FiMail} type="email" placeholder="E-mail" />
<Input
name="oldPassword"
icon={FiLock}
type="password"
placeholder="Senha atual"
/>
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Nova senha"
/>
<Input
name="passwordConfirmation"
icon={FiLock}
type="password"
placeholder="Confirme a nova senha"
/>
<Button type="submit">Confirmar mudanças</Button>
</Form>
</Content>
</Container>
);
}
Example #20
Source File: index.tsx From ecoleta with MIT License | 4 votes |
CreatePoint = () => {
const [formData, setFormData] = useState({
name: '',
email: '',
whatsapp: '',
});
const [initialPosition, setInitialPosition] = useState<[number, number]>([
0,
0,
]);
const [ufs, setUfs] = useState<string[]>([]);
const [cities, setCities] = useState<string[]>([]);
const [items, setItems] = useState<Item[]>([]);
const [selectedUf, setSelectedUf] = useState('0');
const [selectedCity, setSelectedCity] = useState('0');
const [selectedItems, setSelectedItems] = useState<number[]>([]);
const [selectedPosition, setSelectedPosition] = useState<[number, number]>([
0,
0,
]);
const [selectedFile, setSelectedFile] = useState<File>();
const history = useHistory();
useEffect(() => {
navigator.geolocation.getCurrentPosition((position) => {
const { latitude, longitude } = position.coords;
setInitialPosition([latitude, longitude]);
});
}, []);
useEffect(() => {
api.get('/items').then((response) => {
setItems(response.data);
});
}, []);
useEffect(() => {
axios
.get<IBGEUFResponse[]>(
'https://servicodados.ibge.gov.br/api/v1/localidades/estados'
)
.then((response) => {
const ufInitials = response.data.map((uf) => uf.sigla);
setUfs(ufInitials);
});
}, []);
useEffect(() => {
if (selectedUf === '0') {
return;
}
axios
.get<IBGECityResponse[]>(
`https://servicodados.ibge.gov.br/api/v1/localidades/estados/${selectedUf}/municipios`
)
.then((response) => {
const cityNames = response.data.map((city) => city.nome);
setCities(cityNames);
});
}, [selectedUf]);
function handleSelectUf(event: ChangeEvent<HTMLSelectElement>) {
const uf = event.target.value;
setSelectedUf(uf);
}
function handleSelectCity(event: ChangeEvent<HTMLSelectElement>) {
const city = event.target.value;
setSelectedCity(city);
}
function handleMapClick(event: LeafletMouseEvent) {
setSelectedPosition([event.latlng.lat, event.latlng.lng]);
}
function handleInputChange(event: ChangeEvent<HTMLInputElement>) {
const { name, value } = event.target;
setFormData({ ...formData, [name]: value });
}
function handleSelectItem(id: number) {
const alreadySelected = selectedItems.findIndex((item) => item === id);
if (alreadySelected >= 0) {
const filteredItems = selectedItems.filter((item) => item !== id);
setSelectedItems(filteredItems);
} else {
setSelectedItems([...selectedItems, id]);
}
}
async function handleSubmit(event: FormEvent) {
event.preventDefault();
const { name, email, whatsapp } = formData;
const uf = selectedUf;
const city = selectedCity;
const [latitude, longitude] = selectedPosition;
const items = selectedItems;
const data = new FormData();
data.append('name', name);
data.append('email', email);
data.append('whatsapp', whatsapp);
data.append('uf', uf);
data.append('city', city);
data.append('latitude', String(latitude));
data.append('longitude', String(longitude));
data.append('items', items.join(','));
if (selectedFile) {
data.append('image', selectedFile);
}
await api.post('/points', data);
alert('Ponto de coleta criado');
history.push('/');
}
return (
<div id="page-create-point">
<header>
<img src={logo} alt="Ecoleta" />
<Link to="/">
<FiArrowLeft />
Voltar para home
</Link>
</header>
<form onSubmit={handleSubmit} autoComplete="off">
<h1>
Cadastro do <br />
ponto de coleta
</h1>
<Dropzone onFileUploaded={setSelectedFile} />
<fieldset>
<legend>
<h2>Dados</h2>
</legend>
<div className="field">
<label htmlFor="name">Nome da entidade</label>
<input
type="text"
name="name"
id="name"
onChange={handleInputChange}
/>
</div>
<div className="field-group">
<div className="field">
<label htmlFor="email">E-mail</label>
<input
type="email"
name="email"
id="email"
onChange={handleInputChange}
/>
</div>
<div className="field">
<label htmlFor="whatsapp">Whatsapp</label>
<input
type="text"
name="whatsapp"
id="whatsapp"
onChange={handleInputChange}
/>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2>Endereço</h2>
<span>Selecione o endereço no mapa</span>
</legend>
<Map center={initialPosition} zoom={15} onClick={handleMapClick}>
<TileLayer
attribution='&copy <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
url="https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png"
/>
<Marker position={selectedPosition} />
</Map>
<div className="field-group">
<div className="field">
<label htmlFor="uf">Estado (UF)</label>
<select
name="uf"
id="uf"
value={selectedUf}
onChange={handleSelectUf}
>
<option value="0">Selecione uma UF</option>
{ufs.map((uf) => (
<option key={uf} value={uf}>
{uf}
</option>
))}
</select>
</div>
<div className="field">
<label htmlFor="city">Cidade</label>
<select
name="city"
id="city"
value={selectedCity}
onChange={handleSelectCity}
>
<option value="0">Selecione uma cidade</option>
{cities.map((city) => (
<option key={city} value={city}>
{city}
</option>
))}
</select>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2>Itens de coleta</h2>
<span>Selecione um ou mais itens abaixo</span>
</legend>
<ul className="items-grid">
{items.map((item) => (
<li
key={item.id}
className={selectedItems.includes(item.id) ? 'selected' : ''}
onClick={() => handleSelectItem(item.id)}
>
<img src={item.image_url} alt={item.title} />
<span>{item.title}</span>
</li>
))}
</ul>
</fieldset>
<button type="submit">Cadastrar ponto de coleta</button>
</form>
</div>
);
}
Example #21
Source File: index.tsx From gobarber-project with MIT License | 4 votes |
SignUp: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const handleSubmit = useCallback(
async (data: SignUpFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome obrigatório'),
email: Yup.string()
.required('E-mail obrigatório')
.email('Digite um e-mail válido'),
password: Yup.string().min(6, 'No mínimo 6 dígitos'),
});
await schema.validate(data, {
abortEarly: false,
});
await api.post('/users', data);
history.push('/');
addToast({
type: 'success',
title: 'Cadastro realizado!',
description: 'Você já pode fazer seu logon no GoBarber!',
});
} catch (err) {
if (err instanceof Yup.ValidationError) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
return;
}
addToast({
type: 'error',
title: 'Erro no cadastro',
description: 'Ocorreu um erro ao fazer cadastro, tente novamente.',
});
}
},
[addToast, history],
);
return (
<Container>
<Background />
<Content>
<AnimationContainer>
<img src={logoImg} alt="GoBarber" />
<Form ref={formRef} onSubmit={handleSubmit}>
<h1>Faça seu cadastro</h1>
<Input name="name" icon={FiUser} placeholder="Nome" />
<Input name="email" icon={FiMail} placeholder="E-mail" />
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Senha"
/>
<Button type="submit">Cadastrar</Button>
</Form>
<Link to="/">
<FiArrowLeft />
Voltar para logon
</Link>
</AnimationContainer>
</Content>
</Container>
);
}
Example #22
Source File: FilterMenu.tsx From dxvote with GNU Affero General Public License v3.0 | 4 votes |
FilterMenu = () => {
const [showState, setShowState] = useState(false);
const [showType, setShowType] = useState(false);
const [showCurrency, setShowCurrency] = useState(false);
const {
onToggleState,
onResetState,
isStateSelected,
countStateSelected,
onToggleType,
onResetType,
isTypeSelected,
countTypeSelected,
onToggleCurrency,
onResetCurrency,
isCurrencySelected,
countCurrencySelected,
} = useFilter();
const stateRef = useRef(null);
const typeRef = useRef(null);
const currencyRef = useRef(null);
// hook that handles the click outside the ref element, when clicked calls callback to close.
useDetectBlur(stateRef, () => setShowState(false));
useDetectBlur(typeRef, () => setShowType(false));
useDetectBlur(currencyRef, () => setShowCurrency(false));
return (
<FilterButtons>
<DropdownMenu ref={stateRef} position={DropdownPosition.BottomRight}>
<FilterButton
iconRight
onClick={() => {
setShowState(!showState);
}}
active={countStateSelected > 0}
>
State <FiChevronDown />
</FilterButton>
<DropdownContent fullScreenMobile={true} show={showState}>
{isMobile && (
<DropdownHeader onClick={() => setShowState(false)}>
<FiArrowLeft /> <span>State</span>{' '}
<FilterResetMobile onClick={onResetState}>
Reset
</FilterResetMobile>
</DropdownHeader>
)}
<Menu>
<DropdownMenuItem onClick={() => onToggleState('a')}>
State 1 {isStateSelected('a') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleState('b')}>
State 2 {isStateSelected('b') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleState('c')}>
State 3 {isStateSelected('c') && <FiCheck />}
</DropdownMenuItem>
</Menu>
{isDesktop && countStateSelected > 0 && (
<FilterResetDesktop onClick={onResetState}>
Reset
</FilterResetDesktop>
)}
</DropdownContent>
</DropdownMenu>
<DropdownMenu ref={typeRef} position={DropdownPosition.BottomRight}>
<FilterButton
iconRight
onClick={() => setShowType(!showType)}
active={countTypeSelected > 0}
>
Type <FiChevronDown />
</FilterButton>
<DropdownContent fullScreenMobile={true} show={showType}>
{isMobile && (
<DropdownHeader onClick={() => setShowType(false)}>
<FiArrowLeft /> <span>Type</span>{' '}
<FilterResetMobile onClick={onResetType}>Reset</FilterResetMobile>
</DropdownHeader>
)}
<Menu>
<DropdownMenuItem onClick={() => onToggleType('a')}>
Type a {isTypeSelected('a') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleType('b')}>
Type b {isTypeSelected('b') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleType('c')}>
Type c {isTypeSelected('c') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleType('d')}>
Type d {isTypeSelected('d') && <FiCheck />}
</DropdownMenuItem>
</Menu>
{isDesktop && countTypeSelected > 0 && (
<FilterResetDesktop onClick={onResetType}>Reset</FilterResetDesktop>
)}
</DropdownContent>
</DropdownMenu>
<DropdownMenu ref={currencyRef} position={DropdownPosition.BottomRight}>
<FilterButton
iconRight
onClick={() => setShowCurrency(!showCurrency)}
active={countCurrencySelected > 0}
>
Currency <FiChevronDown />
</FilterButton>
<DropdownContent fullScreenMobile={true} show={showCurrency}>
{isMobile && (
<DropdownHeader onClick={() => setShowCurrency(false)}>
<FiArrowLeft /> <span>Currency</span>{' '}
<FilterResetMobile onClick={onResetCurrency}>
Reset
</FilterResetMobile>
</DropdownHeader>
)}
<Menu>
<DropdownMenuItem onClick={() => onToggleCurrency('a')}>
Currency a {isCurrencySelected('a') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleCurrency('b')}>
Currency b {isCurrencySelected('b') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleCurrency('c')}>
Currency c {isCurrencySelected('c') && <FiCheck />}
</DropdownMenuItem>
<DropdownMenuItem onClick={() => onToggleCurrency('d')}>
Currency d {isCurrencySelected('d') && <FiCheck />}
</DropdownMenuItem>
</Menu>
{isDesktop && countCurrencySelected > 0 && (
<FilterResetDesktop onClick={onResetCurrency}>
Reset
</FilterResetDesktop>
)}
</DropdownContent>
</DropdownMenu>
</FilterButtons>
);
}
Example #23
Source File: index.tsx From gobarber-project with MIT License | 4 votes |
Profile: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const { user, updateUser } = useAuth();
const handleSubmit = useCallback(
async (data: IProfileData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome obrigatório'),
email: Yup.string()
.required('Email obrigatário')
.email('Digite um e-mail válido'),
old_password: Yup.string(),
password: Yup.string().when('old_password', {
is: val => !!val.length,
then: Yup.string().required('Campo obrigatório'),
otherwise: Yup.string(),
}),
password_confirmation: Yup.string()
.when('old_password', {
is: val => !!val.length,
then: Yup.string().required('Campo obrigatório'),
otherwise: Yup.string(),
})
.oneOf([Yup.ref('password')], 'Confirmação incorreta'),
});
await schema.validate(data, {
abortEarly: false,
});
const {
name,
email,
old_password,
password,
password_confirmation,
} = data;
const formData = {
name,
email,
...(old_password && {
old_password,
password,
password_confirmation,
}),
};
const response = await api.put('/profile', formData);
updateUser(response.data);
history.push('/dashboard');
addToast({
type: 'success',
title: 'Perfil atualizado!',
description:
'Suas informações do perfil foram atualizadas com sucesso!',
});
} catch (err) {
if (err instanceof Yup.ValidationError) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
return;
}
addToast({
type: 'error',
title: 'Erro na atualização',
description: 'Ocorreu um erro ao atualizar perfil, tente novamente.',
});
}
},
[addToast, history, updateUser],
);
const handleAvatarChange = useCallback(
(e: ChangeEvent<HTMLInputElement>) => {
if (e.target.files) {
const data = new FormData();
data.append('avatar', e.target.files[0]);
api.patch('/users/avatar', data).then(response => {
updateUser(response.data);
addToast({
type: 'success',
title: 'Avatar atualizado',
});
});
}
},
[addToast, updateUser],
);
return (
<Container>
<header>
<div>
<Link to="/dashboard">
<FiArrowLeft />
</Link>
</div>
</header>
<Content>
<Form
ref={formRef}
onSubmit={handleSubmit}
initialData={{
name: user.name,
email: user.email,
}}
>
<AvatarInput>
{user.avatar_url ? (
<img src={user.avatar_url} alt={user.name} />
) : (
<img
src={`https://avatar.oxro.io/avatar?name=${user.name}`}
alt={user.name}
/>
)}
<label htmlFor="avatar">
<FiCamera />
<input type="file" id="avatar" onChange={handleAvatarChange} />
</label>
</AvatarInput>
<h1>Meu Perfil</h1>
<section>
<Input name="name" icon={FiUser} placeholder="Nome" />
<Input name="email" icon={FiMail} placeholder="E-mail" />
</section>
<section>
<Input
name="old_password"
icon={FiLock}
type="password"
placeholder="Senha atual"
/>
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Nova senha"
/>
<Input
name="password_confirmation"
icon={FiLock}
type="password"
placeholder="Confirmar senha"
/>
</section>
<Button type="submit">Atualizar perfil</Button>
</Form>
</Content>
</Container>
);
}
Example #24
Source File: index.tsx From tobira with Apache License 2.0 | 4 votes |
ManageContent: React.FC<Props> = ({ data }) => {
const { t } = useTranslation();
const realm = useFragment(
graphql`
fragment ContentManageRealmData on Realm {
name
path
isRoot
ancestors { name path }
... BlockRealmData
... AddButtonsRealmData
blocks {
id
editMode
}
}
`,
data.realm as ContentManageRealmData$key,
);
const { name, path, isRoot: realmIsRoot, blocks } = realm;
const [inFlight, setInFlight] = useState(false);
const onCommit = () => {
setInFlight(true);
};
const onCommitted = () => {
setInFlight(false);
};
const editedBlock = blocks.find(block => block.editMode);
const hasUnsavedChanges = editedBlock !== undefined;
useNavBlocker(hasUnsavedChanges);
// When a block goes into edit mode, we want to scroll it into view
const blockRefs = useRef(new Map<string, HTMLDivElement>());
useEffect(() => {
if (hasUnsavedChanges) {
const ref = blockRefs.current.get(editedBlock.id) ?? bug("unbound ref");
ref.scrollIntoView({ behavior: "smooth", block: "center" });
}
}, [hasUnsavedChanges, editedBlock]);
const breadcrumbs = (realm.isRoot ? realm.ancestors : realm.ancestors.concat(realm))
.map(({ name, path }) => ({ label: name, link: path }));
return <ContentManageQueryContext.Provider value={data}>
<RealmSettingsContainer>
<Breadcrumbs path={breadcrumbs} tail={<i>{t("realm.edit-page-content")}</i>} />
<PageTitle title={
realmIsRoot
? t("manage.realm.content.heading-root")
: t("manage.realm.content.heading", { realm: name })
} />
<LinkButton to={path}>
<FiArrowLeft />
{t("manage.realm.content.view-page")}
</LinkButton>
<div css={{
display: "flex",
flexDirection: "column",
marginTop: 16,
rowGap: 16,
padding: 0,
// To position the loading overlay
position: "relative",
}}>
{blocks.filter(block => block != null).map((block, index) => (
<React.Fragment key={block.id}>
<AddButtons index={index} realm={realm} />
<div
ref={ref => {
if (ref) {
blockRefs.current.set(block.id, ref);
} else {
blockRefs.current.delete(block.id);
}
}}
css={block.editMode && !inFlight ? { zIndex: 2 } : {}}
>
<EditBlock
{...{ realm, index }}
onCommit={onCommit}
onCompleted={onCommitted}
onError={onCommitted}
/>
</div>
</React.Fragment>
))}
<AddButtons index={blocks.length} realm={realm} />
<div css={{
display: "flex",
alignItems: "center",
justifyContent: "center",
backgroundColor: "rgba(255, 255, 255, 0.75)",
position: "absolute",
width: "100%",
height: "100%",
...(hasUnsavedChanges || inFlight ? {} : { zIndex: -1 }),
}}>
{inFlight && <Spinner size={20} />}
</div>
</div>
</RealmSettingsContainer>
</ContentManageQueryContext.Provider>;
}
Example #25
Source File: index.tsx From NextLevelWeek with MIT License | 4 votes |
CreatePoint = () => {
const [items, setItems] = useState<Item[]>([]);
const [ufs, setUfs] = useState<string[]>([]);
const [cities, setCities] = useState<string[]>([]);
const [selectedItems, setSelectedItems] = useState<number[]>([]);
const [initialPosition, setInitialPosition] = useState<[number, number]>([
0,
0,
]);
const [selectedPosition, setSelectedPosition] = useState<[number, number]>([
0,
0,
]);
const [formData, setFormData] = useState({
name: "",
email: "",
whatsapp: "",
});
const [selectedUf, setCity] = useState("0");
const [selectedCity, setSelectedCity] = useState("0");
const [selectedFile, setSelectFile] = useState<File>();
// Permite navegar de um componente para outro sem ter um botão.
const history = useHistory();
/**
* UseEffect para pegar a localização atual do usuário
*/
useEffect(() => {
navigator.geolocation.getCurrentPosition((position) => {
// console.log(position);
const { latitude, longitude } = position.coords;
setInitialPosition([latitude, longitude]);
});
}, []);
/**
* Evitar que toda vez que o componente mude, chame a API local.
*/
useEffect(() => {
api.get("/items").then((res) => {
// console.log(res);
setItems(res.data);
});
}, []);
/**
* Chamanda da API do IBGE para UFs.
*/
useEffect(() => {
axios
.get<IBGEUF[]>(
"https://servicodados.ibge.gov.br/api/v1/localidades/estados?orderBy=nome"
)
.then((res) => {
// console.log(res);
const ufInitials = res.data.map((uf) => uf.sigla);
// console.log(ufInitials);
setUfs(ufInitials);
});
}, []);
/**
* Chamada da API do IBGE por municípios.
*/
useEffect(() => {
// Carregar as cidades sempre que alterar as UF.
// console.log("Funfou", selectedUf);
if (selectedUf === "0") {
return;
}
axios
.get<IBGECity[]>(
`https://servicodados.ibge.gov.br/api/v1/localidades/estados/${selectedUf}/municipios`
)
.then((res) => {
// console.log(res);
const cityName = res.data.map((city) => city.nome);
setCities(cityName);
});
}, [selectedUf]);
/**
* Toda vez que o usuário altera a UF chama esta função.
*/
function handleSelectUf(e: ChangeEvent<HTMLSelectElement>) {
// console.log(e.target.value);
const uf = e.target.value;
setCity(uf);
}
/**
* Armazenando a cidade.
*/
function handleSelectCity(e: ChangeEvent<HTMLSelectElement>) {
const city = e.target.value;
// console.log(city);
setSelectedCity(city);
}
/**
* Função para colocar o pin no mapa.
*/
function handleMapClick(e: LeafletMouseEvent) {
// console.log(e.latlng);
setSelectedPosition([e.latlng.lat, e.latlng.lng]);
}
/**
* Função para armazenar os inputs.
*/
function handleInputChange(e: ChangeEvent<HTMLInputElement>) {
// console.log(e.target.name, e.target.value);
const { name, value } = e.target;
setFormData({
...formData,
[name]: value,
});
}
/**
* Função para armazenar os itens selecionados.
*/
function handleSelectItem(id: number) {
// console.log("Foi", id);
const alreadySelected = selectedItems.findIndex((item) => item === id);
if (alreadySelected >= 0) {
const filteredItems = selectedItems.filter((item) => item !== id);
setSelectedItems(filteredItems);
} else {
setSelectedItems([...selectedItems, id]);
}
}
/**
* Função do submit.
*/
async function handleSubmit(e: FormEvent) {
// console.log("E aí ?");
// Evitando que a tela seja recarregada no submit.
e.preventDefault();
// console.log(selectedFile);
const { name, email, whatsapp } = formData;
const [latitude, longitude] = selectedPosition;
const uf = selectedUf;
const city = selectedCity;
const items = selectedItems;
const data = new FormData();
data.append("name", name);
data.append("email", email);
data.append("whatsapp", whatsapp);
data.append("latitude", String(latitude));
data.append("longitude", String(longitude));
data.append("uf", uf);
data.append("city", city);
data.append("items", items.join(","));
if (selectedFile) {
data.append("image", selectedFile);
}
/* const data = {
name,
email,
whatsapp,
latitude,
longitude,
uf,
city,
items,
}; */
// console.log(data);
await api.post("/points", data);
alert("Ponto de coleta criado!");
history.push("/");
}
return (
<div id="page-create-point">
<header>
<img src={logo} alt="Ecoleta" />
<Link to="/">
<FiArrowLeft />
Voltar para home
</Link>
</header>
<form onSubmit={handleSubmit}>
<h1>
Cadastro do <br /> ponto de coleta
</h1>
<Dropzone onFileUploaded={setSelectFile} />
<fieldset>
<legend>
<h2>Dados</h2>
</legend>
<div className="field">
<label htmlFor="name">Nome da entidade</label>
<input
type="text"
name="name"
id="name"
onChange={handleInputChange}
/>
</div>
<div className="field-group">
<div className="field">
<label htmlFor="email">E-mail</label>
<input
type="text"
name="email"
id="email"
onChange={handleInputChange}
/>
</div>
<div className="field">
<label htmlFor="whatsapp">WhatsApp</label>
<input
type="text"
name="whatsapp"
id="whatsapp"
onChange={handleInputChange}
/>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2>Endereço</h2>
<span>Selecione o endereço no mapa.</span>
</legend>
<Map
center={initialPosition}
zoom={15}
onClick={handleMapClick}
>
<TileLayer
attribution='&copy <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
url="https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png"
/>
<Marker position={selectedPosition} />
</Map>
<div className="field-group">
<div className="field">
<label htmlFor="uf">Estado</label>
<select
name="uf"
id="uf"
value={selectedUf}
onChange={handleSelectUf}
>
<option value="0">Selecione um estado</option>
{ufs.map((uf) => (
<option key={uf} value={uf}>
{uf}
</option>
))}
</select>
</div>
<div className="field">
<label htmlFor="city">Cidade</label>
<select
name="city"
id="city"
value={selectedCity}
onChange={handleSelectCity}
>
<option value="0">Selecione uma cidade</option>
{cities.map((city) => (
<option key={city} value={city}>
{city}
</option>
))}
</select>
</div>
</div>
</fieldset>
<fieldset>
<legend>
<h2>Itens de coleta</h2>
<span>Selecione um ou mais itens a baixo.</span>
</legend>
<ul className="items-grid">
{items.map((item) => (
<li
key={item.id}
onClick={() => handleSelectItem(item.id)}
className={
selectedItems.includes(item.id)
? "selected"
: ""
}
>
<img src={item.image_url} alt={item.title} />
<span>{item.title}</span>
</li>
))}
</ul>
</fieldset>
<button type="submit">Cadastrar ponto de coleta</button>
</form>
</div>
);
}
Example #26
Source File: index.tsx From front-entenda-direito with GNU General Public License v3.0 | 4 votes |
SignUp: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const handleSubmit = useCallback(
async (data: SignUpFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome obrigatório'),
email: Yup.string()
.required('E-mail obrigatório')
.email('Digite um e-mail válido'),
password: Yup.string().min(6, 'No mínimo 06 dígitos'),
});
await schema.validate(data, {
abortEarly: false,
});
await api.post('/users', data);
history.push('/');
addToast({
type: 'success',
title: 'Cadastro realizado! ?',
description: 'Você já pode fazer seu logon no Entenda Direito ⚖️!',
});
} catch (err) {
if (err instanceof Yup.ValidationError) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
return;
}
addToast({
type: 'error',
title: 'Erro no cadastro ?',
description: 'Ocorreu um erro ao fazer cadastro, tente novamente.',
});
}
},
[addToast, history],
);
return (
<Container>
<Background />
<Content>
<AnimationContainer>
<img src={logoImg} alt="Entenda Direito" />
<h1>ENTENDA DIREITO</h1>
<Form ref={formRef} onSubmit={handleSubmit}>
<h1>Faça seu Cadastro</h1>
<Input name="name" icon={FiUser} placeholder="Nome" />
<Input name="email" icon={FiMail} placeholder="E-mail" />
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Password"
/>
<Button type="submit">Cadastrar</Button>
</Form>
<Link to="/">
<FiArrowLeft />
Voltar para logon
</Link>
</AnimationContainer>
</Content>
</Container>
);
}
Example #27
Source File: index.tsx From front-entenda-direito with GNU General Public License v3.0 | 4 votes |
Profile: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const { user, updateUser } = useAuth();
const history = useHistory();
const handleSubmit = useCallback(
async (data: ProfileFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome obrigatório'),
email: Yup.string()
.required('E-mail obrigatório')
.email('Digite um e-mail valido'),
old_password: Yup.string(),
password: Yup.string().when('old_password', {
is: (val) => !!val.length,
then: Yup.string()
.min(6, 'No mínimo 06 dígitos')
.required('Campo obrigatório'),
otherwise: Yup.string(),
}),
password_confirmation: Yup.string()
.when('old_password', {
is: (val) => !!val.length,
then: Yup.string().required('Campo obrigatório'),
otherwise: Yup.string(),
})
.oneOf([Yup.ref('password'), null], 'Confirmação incorreta'),
});
await schema.validate(data, {
abortEarly: false,
});
const {
name,
email,
old_password,
password,
password_confirmation,
} = data;
const formData = {
name,
email,
...(old_password && {
old_password,
password,
password_confirmation,
}),
};
const response = await api.put('/profile', formData);
updateUser(response.data);
addToast({
type: 'success',
title: 'Perfil atualizado! ?',
description:
'Suas informações do perfil foram atualizadas com sucesso! ?',
});
history.push('/dashboard');
} catch (err) {
if (err instanceof Yup.ValidationError) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
return;
}
addToast({
type: 'error',
title: 'Erro na atualização ?',
description:
'?️ Ocorreu um erro ao atualizar perfil, tente novamente. ?️',
});
}
},
[addToast, history, updateUser],
);
const handleAvatarChange = useCallback(
(event: ChangeEvent<HTMLInputElement>) => {
if (event.target.files) {
const data = new FormData();
data.append('avatar', event.target.files[0]);
api.patch('/users/avatar', data).then((response) => {
updateUser(response.data);
addToast({
type: 'success',
title: 'Avatar atualizado!',
});
});
}
},
[addToast, updateUser],
);
return (
<Container>
<header>
<div>
<Link to="/dashboard">
<FiArrowLeft />
</Link>
</div>
</header>
<Content>
<Form
ref={formRef}
initialData={{
name: user.name,
email: user.email,
}}
onSubmit={handleSubmit}
>
<AvatarInput>
<img src={user.avatar_url} alt={user.name} />
<label htmlFor="avatar">
<FiCamera />
<input type="file" id="avatar" onChange={handleAvatarChange} />
</label>
</AvatarInput>
<h1>Meu perfil</h1>
<Input name="name" icon={FiUser} placeholder="Nome" />
<Input name="email" icon={FiMail} placeholder="E-mail" />
<Input
containerStyle={{ marginTop: 24 }}
name="old_password"
icon={FiLock}
type="password"
placeholder="Senha atual"
/>
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Nova senha"
/>
<Input
name="password_confirmation"
icon={FiLock}
type="password"
placeholder="Confirmar senha"
/>
<Button type="submit">Confirmar mudanças</Button>
</Form>
</Content>
</Container>
);
}
Example #28
Source File: index.tsx From ecoleta with MIT License | 4 votes |
CreatePoint: React.FC = () => {
const history = useHistory();
const { id } = useParams();
const { addToast } = useToast();
const { title } = useContext(ThemeContext);
const { toggleTheme } = useTheme();
const [items, setItems] = useState<IItem[]>([]);
const [ufs, setUfs] = useState<string[]>([]);
const [cities, setCities] = useState<string[]>([]);
const [selectedPosition, setSelectedPosition] = useState<[number, number]>([
0,
0,
]);
const [initialPosition, setInitialPosition] = useState<[number, number]>([
0,
0,
]);
const [formData, setFormData] = useState({
name: '',
email: '',
whatsapp: '',
});
const [selectedUf, setSelectedUf] = useState('0');
const [selectedCity, setSelectedCity] = useState('0');
const [selectedItems, setSelectedItems] = useState<string[]>([]);
const [selectedFile, setSelectedFile] = useState<File>();
const [preview, setPreview] = useState('');
const loadPoint = useCallback(async () => {
try {
const { data } = await api.get(`points/${id}`);
setSelectedCity(data.point.city);
setSelectedUf(data.point.uf);
setSelectedPosition([data.point.latitude, data.point.longitude]);
setFormData({
name: data.point.name,
email: data.point.email,
whatsapp: data.point.whatsapp,
});
setSelectedItems(
data.point.point_items.map(
(point_item: IPointItem) => point_item.item.id,
),
);
setPreview(data.point.image_url);
} catch (err) {
console.log(err);
}
}, [id]);
useEffect(() => {
if (id) {
loadPoint();
}
}, [id, loadPoint]);
useEffect(() => {
navigator.geolocation.getCurrentPosition(position => {
const { latitude, longitude } = position.coords;
setInitialPosition([-21.6235108, -55.1598438]);
});
}, []);
useEffect(() => {
api.get('items').then(response => setItems(response.data));
}, []);
useEffect(() => {
if (selectedUf === '0') return;
axios
.get<IIBGECityResponse[]>(
`https://servicodados.ibge.gov.br/api/v1/localidades/estados/${selectedUf}/municipios`,
)
.then(response => {
const cityNames = response.data.map(city => city.nome);
setCities(cityNames);
});
}, [selectedUf]);
useEffect(() => {
axios
.get<IIBGEResponse[]>(
'https://servicodados.ibge.gov.br/api/v1/localidades/estados',
)
.then(response => {
const ufInitials = response.data.map(uf => uf.sigla);
setUfs(ufInitials);
});
}, []);
const handleSelectUf = useCallback(
(event: ChangeEvent<HTMLSelectElement>) => {
setSelectedUf(event.target.value);
},
[],
);
const handleSelectCity = useCallback(
(event: ChangeEvent<HTMLSelectElement>) => {
setSelectedCity(event.target.value);
},
[],
);
const handleMapClick = useCallback((event: LeafletMouseEvent) => {
setSelectedPosition([event.latlng.lat, event.latlng.lng]);
}, []);
const handleInputChange = useCallback(
(event: ChangeEvent<HTMLInputElement>) => {
const { name, value } = event.target;
setFormData(oldData => ({
...oldData,
[name]: value,
}));
},
[],
);
const handleSelectItem = useCallback(
(itemId: string) => {
const alreadySelected = selectedItems.findIndex(item => item === itemId);
alreadySelected >= 0
? setSelectedItems(oldItems => oldItems.filter(item => item !== itemId))
: setSelectedItems(oldItems => [...oldItems, itemId]);
},
[selectedItems],
);
const handleSubmit = useCallback(
async (event: FormEvent) => {
event.preventDefault();
try {
const { name, email, whatsapp } = formData;
const [latitude, longitude] = selectedPosition;
const data = new FormData();
data.append('name', name);
data.append('email', email);
data.append('whatsapp', whatsapp);
data.append('latitude', String(latitude));
data.append('longitude', String(longitude));
data.append('uf', selectedUf);
data.append('city', selectedCity);
data.append('items', selectedItems.join(','));
if (selectedFile) {
data.append('image', selectedFile);
}
if (id) {
await api.put(`points/${id}`, data);
addToast({
type: 'success',
title: 'Atualizado',
description: 'Ponto de coleta atualizado com sucesso.',
});
} else {
await api.post('points', data);
addToast({
type: 'success',
title: 'Cadastro realizado',
description: 'Ponto de coleta cadastrado com sucesso.',
});
}
history.push('/list-points');
} catch (err) {
addToast({
type: 'error',
title: 'Erro',
description:
',Ocorreu um erro de comunicação com o servidor, tente novamente.',
});
}
},
[
formData,
selectedCity,
selectedItems,
selectedPosition,
selectedUf,
history,
id,
selectedFile,
addToast,
],
);
return (
<Container>
<header>
{title === 'light' ? (
<img src={logo} alt="Ecoleta" />
) : (
<img src={logoDark} alt="Ecoleta" />
)}
<Toggle
checked={title === 'dark'}
onChange={toggleTheme}
className="toggle"
icons={{
checked: <FaMoon color="yellow" size={12} />,
unchecked: <FaSun color="yellow" size={12} />,
}}
/>
<Link to="/list-points">
<FiArrowLeft />
Voltar para Dashboard
</Link>
</header>
<Form onSubmit={handleSubmit}>
<h1>Cadastro do ponto de coleta</h1>
<Dropzone preview={preview} onFileUploaded={setSelectedFile} />
<fieldset>
<legend>
<h2>Dados</h2>
</legend>
<div className="field">
<label htmlFor="name">Nome da entidade</label>
<input
value={formData.name}
type="text"
name="name"
id="name"
onChange={handleInputChange}
/>
</div>
<FieldGroup>
<div className="field">
<label htmlFor="email">E-mail</label>
<input
value={formData.email}
type="email"
name="email"
id="email"
onChange={handleInputChange}
/>
</div>
</FieldGroup>
<FieldGroup>
<div className="field">
<label htmlFor="whatsapp">Whatsapp</label>
<input
value={formData.whatsapp}
type="text"
name="whatsapp"
id="whatsapp"
onChange={handleInputChange}
/>
</div>
</FieldGroup>
</fieldset>
<fieldset>
<legend>
<h2>Endereço</h2>
<span>Selecione o endereço no mapa</span>
</legend>
<Map center={initialPosition} zoom={15} onClick={handleMapClick}>
<TileLayer
attribution='&copy <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
url="https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png"
/>
<Marker position={selectedPosition} />
</Map>
<FieldGroup>
<div className="field">
<label htmlFor="uf">Estado (UF)</label>
<select
value={selectedUf}
name="uf"
id="uf"
onChange={handleSelectUf}
>
<option value="0">Selecione um UF</option>
{ufs?.map(uf => (
<option key={uf} value={uf}>
{uf}
</option>
))}
</select>
</div>
<div className="field">
<label htmlFor="city">Cidade</label>
<select
value={selectedCity}
name="city"
id="city"
onChange={handleSelectCity}
>
<option value="0">Selecione um cidade</option>
{cities?.map(city => (
<option key={city} value={city}>
{city}
</option>
))}
</select>
</div>
</FieldGroup>
</fieldset>
<fieldset>
<legend>
<h2>Ítens de coleta</h2>
<span>Selecione um ou mais ítens abaixo</span>
</legend>
<ItemsList>
{items?.map((item: IItem) => (
<li key={item.id}>
<button
className={selectedItems.includes(item.id) ? 'selected' : ''}
type="button"
onClick={() => handleSelectItem(item.id)}
>
<img src={item.image_url} alt={item.title} />
<span>{item.title}</span>
</button>
</li>
))}
</ItemsList>
</fieldset>
<button type="submit">Cadastrar ponto de coleta</button>
</Form>
</Container>
);
}
Example #29
Source File: index.tsx From gobarber-web with MIT License | 4 votes |
Profile: React.FC = () => {
const formRef = useRef<FormHandles>(null);
const { addToast } = useToast();
const history = useHistory();
const { user, updateUser } = useAuth();
const handleSubmit = useCallback(
async (data: ProfileFormData) => {
try {
formRef.current?.setErrors({});
const schema = Yup.object().shape({
name: Yup.string().required('Nome é obrigatório'),
email: Yup.string()
.required('E-mail é obrigatório')
.email('Digite um e-mail válido'),
old_password: Yup.string(),
password: Yup.string().when('old_password', {
is: val => !!val.length,
then: Yup.string()
.min(6, 'No mínimo 6 dígitos')
.required('Campo obrigatório'),
otherwise: Yup.string(),
}),
password_confirmation: Yup.string()
.when('old_password', {
is: val => !!val.length,
then: Yup.string().required('Campo obrigatório'),
otherwise: Yup.string(),
})
.oneOf([Yup.ref('password'), null], 'Confirmação incorreta'),
});
await schema.validate(data, { abortEarly: false });
const {
name,
email,
old_password,
password,
password_confirmation,
} = data;
const formData = {
name,
email,
...(old_password
? {
old_password,
password,
password_confirmation,
}
: {}),
};
const response = await api.put('/profile', formData);
updateUser(response.data);
history.push('/dashboard');
addToast({
type: 'success',
title: 'Perfil atualizado!',
description:
'Suas informações do perfil foram atualizadas com sucesso!',
});
} catch (err) {
if (err instanceof Yup.ValidationError) {
const errors = getValidationErrors(err);
formRef.current?.setErrors(errors);
return;
}
addToast({
type: 'error',
title: 'Erro na atualização',
description:
'Ocorreu um error ao atualizar o perfil, tente novamente.',
});
}
},
[addToast, history, updateUser],
);
const handleAvatarChange = useCallback(
(e: ChangeEvent<HTMLInputElement>) => {
if (e.target.files) {
const data = new FormData();
data.append('avatar', e.target.files[0]);
api.patch('/users/avatar', data).then(response => {
updateUser(response.data);
addToast({
type: 'success',
title: 'Avatar atualizado',
});
});
}
},
[addToast, updateUser],
);
return (
<Container>
<header>
<div>
<Link to="/dashboard">
<FiArrowLeft size={32} />
</Link>
</div>
</header>
<Content>
<Form
ref={formRef}
initialData={{ name: user.name, email: user.email }}
onSubmit={handleSubmit}
>
<AvatarInput>
<img
src={
user.avatar_url ||
'https://api.adorable.io/avatars/186/[email protected]'
}
alt={user.name}
/>
<label htmlFor="avatar">
<FiCamera size={20} />
<input
data-testid="input-file"
type="file"
id="avatar"
onChange={handleAvatarChange}
/>
</label>
</AvatarInput>
<h1>Meu Perfil</h1>
<Input name="name" icon={FiUser} placeholder="Nome" />
<Input name="email" icon={FiMail} placeholder="E-mail" />
<Input
containerStyle={{ marginTop: 24 }}
name="old_password"
icon={FiLock}
type="password"
placeholder="Senha atual"
/>
<Input
name="password"
icon={FiLock}
type="password"
placeholder="Nova senha"
/>
<Input
name="password_confirmation"
icon={FiLock}
type="password"
placeholder="Confirmar senha"
/>
<Button type="submit">Confirmar mudanças</Button>
</Form>
</Content>
</Container>
);
}