1
0
Fork 0
mirror of https://github.com/pawelmalak/flame.git synced 2025-07-19 11:39:36 +02:00

Reworked OtherSettings to work with global config state. Fixed bug with certain settings not being synchronized

This commit is contained in:
unknown 2021-06-13 23:21:35 +02:00
parent f137498e7e
commit 5e7cb72b82
11 changed files with 124 additions and 91 deletions

View file

@ -18,10 +18,6 @@ if (localStorage.theme) {
store.dispatch<any>(setTheme(localStorage.theme)); store.dispatch<any>(setTheme(localStorage.theme));
} }
if (localStorage.customTitle) {
document.title = localStorage.customTitle;
}
const App = (): JSX.Element => { const App = (): JSX.Element => {
return ( return (
<Provider store={store}> <Provider store={store}>

View file

@ -100,7 +100,7 @@ const AppForm = (props: ComponentProps): JSX.Element => {
/> />
<span> <span>
<a <a
href='https://github.com/pawelmalak/flame#supported-URL-formats-for-applications-and-bookmarks' href='https://github.com/pawelmalak/flame#supported-url-formats-for-applications-and-bookmarks'
target='_blank' target='_blank'
rel='noreferrer' rel='noreferrer'
> >

View file

@ -186,7 +186,7 @@ const BookmarkForm = (props: ComponentProps): JSX.Element => {
/> />
<span> <span>
<a <a
href='https://github.com/pawelmalak/flame#supported-URL-formats-for-applications-and-bookmarks' href='https://github.com/pawelmalak/flame#supported-url-formats-for-applications-and-bookmarks'
target='_blank' target='_blank'
rel='noreferrer' rel='noreferrer'
> >

View file

@ -27,6 +27,9 @@ import WeatherWidget from '../Widgets/WeatherWidget/WeatherWidget';
import { greeter } from './functions/greeter'; import { greeter } from './functions/greeter';
import { dateTime } from './functions/dateTime'; import { dateTime } from './functions/dateTime';
// Utils
import { searchConfig } from '../../utility';
interface ComponentProps { interface ComponentProps {
getApps: Function; getApps: Function;
getCategories: Function; getCategories: Function;
@ -67,18 +70,25 @@ const Home = (props: ComponentProps): JSX.Element => {
// Refresh greeter and time // Refresh greeter and time
useEffect(() => { useEffect(() => {
const interval = setInterval(() => { let interval: any;
// Start interval only when hideHeader is false
if (searchConfig('hideHeader', 0) !== 1) {
interval = setInterval(() => {
setHeader({ setHeader({
dateTime: dateTime(), dateTime: dateTime(),
greeting: greeter() greeting: greeter()
}) })
}, 1000); }, 1000);
}
return () => clearInterval(interval); return () => clearInterval(interval);
}, []) }, [])
return ( return (
<Container> <Container>
{searchConfig('hideHeader', 0) !== 1
? (
<header className={classes.Header}> <header className={classes.Header}>
<p>{header.dateTime}</p> <p>{header.dateTime}</p>
<Link to='/settings' className={classes.SettingsLink}>Go to Settings</Link> <Link to='/settings' className={classes.SettingsLink}>Go to Settings</Link>
@ -87,6 +97,9 @@ const Home = (props: ComponentProps): JSX.Element => {
<WeatherWidget /> <WeatherWidget />
</span> </span>
</header> </header>
)
: <div></div>
}
<SectionHeadline title='Applications' link='/applications' /> <SectionHeadline title='Applications' link='/applications' />
{appsLoading {appsLoading

View file

@ -1,69 +1,56 @@
import { useState, useEffect, ChangeEvent, FormEvent } from 'react'; import { useState, useEffect, ChangeEvent, FormEvent } from 'react';
import axios from 'axios';
import { connect } from 'react-redux';
// Redux
import { connect } from 'react-redux';
import { createNotification, updateConfig } from '../../../store/actions';
// Typescript
import { GlobalState, NewNotification, SettingsForm } from '../../../interfaces';
// UI
import InputGroup from '../../UI/Forms/InputGroup/InputGroup'; import InputGroup from '../../UI/Forms/InputGroup/InputGroup';
import Button from '../../UI/Buttons/Button/Button'; import Button from '../../UI/Buttons/Button/Button';
import { createNotification } from '../../../store/actions';
import { ApiResponse, Config, NewNotification } from '../../../interfaces';
interface FormState { // Utils
customTitle: string; import { searchConfig } from '../../../utility';
pinAppsByDefault: number;
pinCategoriesByDefault: number;
}
interface ComponentProps { interface ComponentProps {
createNotification: (notification: NewNotification) => void; createNotification: (notification: NewNotification) => void;
updateConfig: (formData: SettingsForm) => void;
loading: boolean;
} }
const OtherSettings = (props: ComponentProps): JSX.Element => { const OtherSettings = (props: ComponentProps): JSX.Element => {
const [formData, setFormData] = useState<FormState>({ // Initial state
const [formData, setFormData] = useState<SettingsForm>({
customTitle: document.title, customTitle: document.title,
pinAppsByDefault: 0, pinAppsByDefault: 1,
pinCategoriesByDefault: 0 pinCategoriesByDefault: 1,
hideHeader: 0
}) })
// get initial config // Get config
useEffect(() => { useEffect(() => {
axios.get<ApiResponse<Config[]>>('/api/config?keys=customTitle,pinAppsByDefault,pinCategoriesByDefault') setFormData({
.then(data => { customTitle: searchConfig('customTitle', 'Flame'),
let tmpFormData = { ...formData }; pinAppsByDefault: searchConfig('pinAppsByDefault', 1),
pinCategoriesByDefault: searchConfig('pinCategoriesByDefault', 1),
data.data.data.forEach((config: Config) => { hideHeader: searchConfig('hideHeader', 0)
let value: string | number = config.value;
if (config.valueType === 'number') {
value = parseFloat(value);
}
tmpFormData = {
...tmpFormData,
[config.key]: value
}
}) })
}, [props.loading]);
setFormData(tmpFormData); // Form handler
}) const formSubmitHandler = async (e: FormEvent) => {
.catch(err => console.log(err));
}, [])
const formSubmitHandler = (e: FormEvent) => {
e.preventDefault(); e.preventDefault();
axios.put<ApiResponse<{}>>('/api/config', formData) // Save settings
.then(() => { await props.updateConfig(formData);
props.createNotification({
title: 'Success',
message: 'Settings updated'
})
})
.catch((err) => console.log(err));
// update local page title // update local page title
localStorage.setItem('customTitle', formData.customTitle);
document.title = formData.customTitle; document.title = formData.customTitle;
} }
// Input handler
const inputChangeHandler = (e: ChangeEvent<HTMLInputElement | HTMLSelectElement>, isNumber?: boolean) => { const inputChangeHandler = (e: ChangeEvent<HTMLInputElement | HTMLSelectElement>, isNumber?: boolean) => {
let value: string | number = e.target.value; let value: string | number = e.target.value;
@ -80,7 +67,7 @@ const OtherSettings = (props: ComponentProps): JSX.Element => {
return ( return (
<form onSubmit={(e) => formSubmitHandler(e)}> <form onSubmit={(e) => formSubmitHandler(e)}>
<InputGroup> <InputGroup>
<label htmlFor='customTitle'>Custom Page Title</label> <label htmlFor='customTitle'>Custom page title</label>
<input <input
type='text' type='text'
id='customTitle' id='customTitle'
@ -114,9 +101,27 @@ const OtherSettings = (props: ComponentProps): JSX.Element => {
<option value={0}>False</option> <option value={0}>False</option>
</select> </select>
</InputGroup> </InputGroup>
<InputGroup>
<label htmlFor='hideHeader'>Hide greeting and date</label>
<select
id='hideHeader'
name='hideHeader'
value={formData.hideHeader}
onChange={(e) => inputChangeHandler(e, true)}
>
<option value={1}>True</option>
<option value={0}>False</option>
</select>
</InputGroup>
<Button>Save changes</Button> <Button>Save changes</Button>
</form> </form>
) )
} }
export default connect(null, { createNotification })(OtherSettings); const mapStateToProps = (state: GlobalState) => {
return {
loading: state.config.loading
}
}
export default connect(mapStateToProps, { createNotification, updateConfig })(OtherSettings);

View file

@ -22,6 +22,7 @@ interface ComponentProps {
} }
const WeatherSettings = (props: ComponentProps): JSX.Element => { const WeatherSettings = (props: ComponentProps): JSX.Element => {
// Initial state
const [formData, setFormData] = useState<WeatherForm>({ const [formData, setFormData] = useState<WeatherForm>({
WEATHER_API_KEY: '', WEATHER_API_KEY: '',
lat: 0, lat: 0,
@ -29,19 +30,7 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
isCelsius: 1 isCelsius: 1
}) })
const inputChangeHandler = (e: ChangeEvent<HTMLInputElement | HTMLSelectElement>, isNumber?: boolean) => { // Get config
let value: string | number = e.target.value;
if (isNumber) {
value = parseFloat(value);
}
setFormData({
...formData,
[e.target.name]: value
})
}
useEffect(() => { useEffect(() => {
setFormData({ setFormData({
WEATHER_API_KEY: searchConfig('WEATHER_API_KEY', ''), WEATHER_API_KEY: searchConfig('WEATHER_API_KEY', ''),
@ -51,6 +40,7 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
}) })
}, [props.loading]); }, [props.loading]);
// Form handler
const formSubmitHandler = async (e: FormEvent) => { const formSubmitHandler = async (e: FormEvent) => {
e.preventDefault(); e.preventDefault();
@ -58,7 +48,7 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
if ((formData.lat || formData.long) && !formData.WEATHER_API_KEY) { if ((formData.lat || formData.long) && !formData.WEATHER_API_KEY) {
props.createNotification({ props.createNotification({
title: 'Warning', title: 'Warning',
message: 'API Key is missing. Weather Module will NOT work' message: 'API key is missing. Weather Module will NOT work'
}) })
} }
@ -81,10 +71,24 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
}); });
} }
// Input handler
const inputChangeHandler = (e: ChangeEvent<HTMLInputElement | HTMLSelectElement>, isNumber?: boolean) => {
let value: string | number = e.target.value;
if (isNumber) {
value = parseFloat(value);
}
setFormData({
...formData,
[e.target.name]: value
})
}
return ( return (
<form onSubmit={(e) => formSubmitHandler(e)}> <form onSubmit={(e) => formSubmitHandler(e)}>
<InputGroup> <InputGroup>
<label htmlFor='WEATHER_API_KEY'>API Key</label> <label htmlFor='WEATHER_API_KEY'>API key</label>
<input <input
type='text' type='text'
id='WEATHER_API_KEY' id='WEATHER_API_KEY'
@ -104,7 +108,7 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
</span> </span>
</InputGroup> </InputGroup>
<InputGroup> <InputGroup>
<label htmlFor='lat'>Location Latitude</label> <label htmlFor='lat'>Location latitude</label>
<input <input
type='number' type='number'
id='lat' id='lat'
@ -123,7 +127,7 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
</span> </span>
</InputGroup> </InputGroup>
<InputGroup> <InputGroup>
<label htmlFor='long'>Location Longitude</label> <label htmlFor='long'>Location longitude</label>
<input <input
type='number' type='number'
id='long' id='long'
@ -134,7 +138,7 @@ const WeatherSettings = (props: ComponentProps): JSX.Element => {
/> />
</InputGroup> </InputGroup>
<InputGroup> <InputGroup>
<label htmlFor='isCelsius'>Temperature Unit</label> <label htmlFor='isCelsius'>Temperature unit</label>
<select <select
id='isCelsius' id='isCelsius'
name='isCelsius' name='isCelsius'

View file

@ -68,7 +68,7 @@ const WeatherWidget = (props: ComponentProps): JSX.Element => {
return ( return (
<div className={classes.WeatherWidget}> <div className={classes.WeatherWidget}>
{isLoading || props.configLoading || searchConfig('WEATHER_API_KEY', '') && {(isLoading || props.configLoading || searchConfig('WEATHER_API_KEY', '')) &&
(weather.id > 0 && (weather.id > 0 &&
(<Fragment> (<Fragment>
<div className={classes.WeatherIcon}> <div className={classes.WeatherIcon}>

View file

@ -4,3 +4,10 @@ export interface WeatherForm {
long: number; long: number;
isCelsius: number; isCelsius: number;
} }
export interface SettingsForm {
customTitle: string;
pinAppsByDefault: number;
pinCategoriesByDefault: number;
hideHeader: number;
}

View file

@ -1,8 +1,9 @@
import axios from 'axios'; import axios from 'axios';
import { Dispatch } from 'redux'; import { Dispatch } from 'redux';
import { ActionTypes } from './actionTypes'; import { ActionTypes } from './actionTypes';
import { Config, ApiResponse, WeatherForm } from '../../interfaces'; import { Config, ApiResponse } from '../../interfaces';
import { CreateNotificationAction } from './notification'; import { CreateNotificationAction } from './notification';
import { searchConfig } from '../../utility';
export interface GetConfigAction { export interface GetConfigAction {
type: ActionTypes.getConfig; type: ActionTypes.getConfig;
@ -17,6 +18,9 @@ export const getConfig = () => async (dispatch: Dispatch) => {
type: ActionTypes.getConfig, type: ActionTypes.getConfig,
payload: res.data.data payload: res.data.data
}) })
// Set custom page title if set
document.title = searchConfig('customTitle', 'Flame');
} catch (err) { } catch (err) {
console.log(err) console.log(err)
} }
@ -27,7 +31,7 @@ export interface UpdateConfigAction {
payload: Config[]; payload: Config[];
} }
export const updateConfig = (formData: WeatherForm) => async (dispatch: Dispatch) => { export const updateConfig = (formData: any) => async (dispatch: Dispatch) => {
try { try {
const res = await axios.put<ApiResponse<Config[]>>('/api/config', formData); const res = await axios.put<ApiResponse<Config[]>>('/api/config', formData);
dispatch<CreateNotificationAction>({ dispatch<CreateNotificationAction>({

View file

@ -5,7 +5,7 @@ import { store } from '../store/store';
* @param key Config pair key to search * @param key Config pair key to search
* @param _default Value to return if key is not found * @param _default Value to return if key is not found
*/ */
export const searchConfig = (key: string, _default: any)=> { export const searchConfig = (key: string, _default: any) => {
const state = store.getState(); const state = store.getState();
const pair = state.config.config.find(p => p.key === key); const pair = state.config.config.find(p => p.key === key);

View file

@ -27,6 +27,10 @@
{ {
"key": "pinCategoriesByDefault", "key": "pinCategoriesByDefault",
"value": true "value": true
},
{
"key": "hideHeader",
"value": false
} }
] ]
} }