aboutsummaryrefslogtreecommitdiff
path: root/modern/src/login/LoginPage.js
diff options
context:
space:
mode:
authorAnton Tananaev <anton@traccar.org>2022-05-08 11:37:30 -0700
committerAnton Tananaev <anton@traccar.org>2022-05-08 11:37:30 -0700
commit044733ff543156d76437daae8edb66850d785ac9 (patch)
tree7507e469449b5ffc95c7a77016e0299e07c932cc /modern/src/login/LoginPage.js
parent934d9fa416d30a24dc038e5a1e12ef3f7eaec160 (diff)
downloadtrackermap-web-044733ff543156d76437daae8edb66850d785ac9.tar.gz
trackermap-web-044733ff543156d76437daae8edb66850d785ac9.tar.bz2
trackermap-web-044733ff543156d76437daae8edb66850d785ac9.zip
Reorganize login pages
Diffstat (limited to 'modern/src/login/LoginPage.js')
-rw-r--r--modern/src/login/LoginPage.js170
1 files changed, 170 insertions, 0 deletions
diff --git a/modern/src/login/LoginPage.js b/modern/src/login/LoginPage.js
new file mode 100644
index 00000000..64570b24
--- /dev/null
+++ b/modern/src/login/LoginPage.js
@@ -0,0 +1,170 @@
+import React, { useState } from 'react';
+import {
+ Grid, useMediaQuery, makeStyles, InputLabel, Select, MenuItem, FormControl, Button, TextField, Link, Snackbar, IconButton, Tooltip,
+} from '@material-ui/core';
+import CloseIcon from '@material-ui/icons/Close';
+import CachedIcon from '@material-ui/icons/Cached';
+import { useTheme } from '@material-ui/core/styles';
+import { useDispatch, useSelector } from 'react-redux';
+import { useHistory } from 'react-router-dom';
+import { sessionActions } from '../store';
+import { useLocalization, useTranslation } from '../LocalizationProvider';
+import LoginLayout from './LoginLayout';
+import usePersistedState from '../common/usePersistedState';
+
+const useStyles = makeStyles((theme) => ({
+ legacy: {
+ position: 'absolute',
+ top: theme.spacing(1),
+ right: theme.spacing(1),
+ },
+ logoContainer: {
+ textAlign: 'center',
+ color: theme.palette.primary.main,
+ },
+ resetPassword: {
+ cursor: 'pointer',
+ },
+}));
+
+const LoginPage = () => {
+ const classes = useStyles();
+ const dispatch = useDispatch();
+ const history = useHistory();
+ const theme = useTheme();
+ const t = useTranslation();
+
+ const { languages, language, setLanguage } = useLocalization();
+ const languageList = Object.entries(languages).map((values) => ({ code: values[0], name: values[1].name }));
+
+ const [failed, setFailed] = useState(false);
+
+ const [email, setEmail] = usePersistedState('loginEmail', '');
+ const [password, setPassword] = useState('');
+
+ const registrationEnabled = useSelector((state) => state.session.server?.registration);
+ const emailEnabled = useSelector((state) => state.session.server?.emailEnabled);
+
+ const [announcementShown, setAnnouncementShown] = useState(false);
+ const announcement = useSelector((state) => state.session.server?.announcement);
+
+ const handleSubmit = async (event) => {
+ event.preventDefault();
+ const response = await fetch('/api/session', {
+ method: 'POST',
+ body: new URLSearchParams(`email=${encodeURIComponent(email)}&password=${encodeURIComponent(password)}`),
+ });
+ if (response.ok) {
+ const user = await response.json();
+ dispatch(sessionActions.updateUser(user));
+ history.push('/');
+ } else {
+ setFailed(true);
+ setPassword('');
+ }
+ };
+
+ const handleSpecialKey = (e) => {
+ if (e.keyCode === 13 && email && password) {
+ handleSubmit(e);
+ }
+ };
+
+ return (
+ <LoginLayout>
+ <Tooltip title="Switch to Legacy App" className={classes.legacy}>
+ <IconButton onClick={() => window.localStorage.setItem('legacyApp', true) || window.location.replace('/')}>
+ <CachedIcon />
+ </IconButton>
+ </Tooltip>
+ <Grid container direction="column" spacing={2}>
+ {useMediaQuery(theme.breakpoints.down('md'))
+ && (
+ <Grid item className={classes.logoContainer}>
+ <svg height="64" width="240">
+ <use xlinkHref="/logo.svg#img" />
+ </svg>
+ </Grid>
+ )}
+ <Grid item>
+ <TextField
+ required
+ fullWidth
+ error={failed}
+ label={t('userEmail')}
+ name="email"
+ value={email}
+ autoComplete="email"
+ autoFocus={!email}
+ onChange={(e) => setEmail(e.target.value)}
+ onKeyUp={handleSpecialKey}
+ helperText={failed && 'Invalid username or password'}
+ variant="filled"
+ />
+ </Grid>
+ <Grid item>
+ <TextField
+ required
+ fullWidth
+ error={failed}
+ label={t('userPassword')}
+ name="password"
+ value={password}
+ type="password"
+ autoComplete="current-password"
+ autoFocus={!!email}
+ onChange={(e) => setPassword(e.target.value)}
+ onKeyUp={handleSpecialKey}
+ variant="filled"
+ />
+ </Grid>
+ <Grid item>
+ <Button
+ onClick={handleSubmit}
+ onKeyUp={handleSpecialKey}
+ variant="contained"
+ color="secondary"
+ disabled={!email || !password}
+ fullWidth
+ >
+ {t('loginLogin')}
+ </Button>
+ </Grid>
+ <Grid item container spacing={2}>
+ <Grid item>
+ <Button onClick={() => history.push('/register')} disabled={!registrationEnabled} color="secondary">
+ {t('loginRegister')}
+ </Button>
+ </Grid>
+ <Grid item xs>
+ <FormControl variant="filled" fullWidth>
+ <InputLabel>{t('loginLanguage')}</InputLabel>
+ <Select value={language} onChange={(e) => setLanguage(e.target.value)}>
+ {languageList.map((it) => <MenuItem key={it.code} value={it.code}>{it.name}</MenuItem>)}
+ </Select>
+ </FormControl>
+ </Grid>
+ </Grid>
+ {emailEnabled && (
+ <Grid item container justifyContent="flex-end">
+ <Grid item>
+ <Link onClick={() => history.push('/reset-password')} className={classes.resetPassword} underline="none">{t('loginReset')}</Link>
+ </Grid>
+ </Grid>
+ )}
+ <Snackbar
+ anchorOrigin={{ vertical: 'top', horizontal: 'center' }}
+ open={!!announcement && !announcementShown}
+ message={announcement}
+ action={(
+ <IconButton size="small" color="inherit" onClick={() => setAnnouncementShown(true)}>
+ <CloseIcon fontSize="small" />
+ </IconButton>
+ )}
+ />
+ </Grid>
+ </LoginLayout>
+ );
+};
+
+export default LoginPage;