Merge remote-tracking branch 'origin/feature/exchange_rates'

This commit is contained in:
Ahmed Bouhuolia
2020-05-12 01:10:11 +02:00
62 changed files with 2587 additions and 1155 deletions

View File

@@ -6,6 +6,7 @@ import {
} from '@blueprintjs/core'; } from '@blueprintjs/core';
// import {Select} from '@blueprintjs/select'; // import {Select} from '@blueprintjs/select';
import MultiSelect from 'components/MultiSelect'; import MultiSelect from 'components/MultiSelect';
import { FormattedMessage as T, useIntl } from 'react-intl';
export default function AccountsMultiSelect({ export default function AccountsMultiSelect({
accounts, accounts,
@@ -58,7 +59,7 @@ export default function AccountsMultiSelect({
<Button <Button
rightIcon='caret-down' rightIcon='caret-down'
text={countSelectedAccounts === 0 ? text={countSelectedAccounts === 0 ?
'All accounts' : <T id={'all_accounts'}/>:
`(${countSelectedAccounts}) Selected accounts` `(${countSelectedAccounts}) Selected accounts`
} }
/> />

View File

@@ -36,7 +36,6 @@ export default function AccountsSelectList({
filterable={true} filterable={true}
onItemSelect={onAccountSelect}> onItemSelect={onAccountSelect}>
<Button <Button
rightIcon='caret-down'
text={selectedAccount ? selectedAccount.name : defautlSelectText} text={selectedAccount ? selectedAccount.name : defautlSelectText}
/> />
</Select> </Select>

View File

@@ -1,26 +1,32 @@
import React from 'react'; import React from 'react';
import { Redirect, Route, Switch, Link } from 'react-router-dom'; import { Redirect, Route, Switch, Link } from 'react-router-dom';
import BodyClassName from 'react-body-classname'; import BodyClassName from 'react-body-classname';
import authenticationRoutes from 'routes/authentication'; import authenticationRoutes from 'routes/authentication';
import { FormattedMessage as T, useIntl } from 'react-intl';
export default function AuthenticationWrapper({ isAuthenticated =false, ...rest }) { export default function AuthenticationWrapper({
const to = {pathname: '/dashboard/homepage'}; isAuthenticated = false,
...rest
}) {
const to = { pathname: '/dashboard/homepage' };
return ( return (
<Route path="/auth"> <Route path='/auth'>
{ (isAuthenticated) ? {isAuthenticated ? (
(<Redirect to={to} />) : ( <Redirect to={to} />
) : (
<BodyClassName className={'authentication'}> <BodyClassName className={'authentication'}>
<Switch> <Switch>
<div class="authentication-page"> <div class='authentication-page'>
<Link <Link
to={'bigcapital.io'} to={'bigcapital.io'}
className={'authentication-page__goto-bigcapital'}> className={'authentication-page__goto-bigcapital'}
Go to bigcapital.com >
<T id={'go_to_bigcapital_com'} />
</Link> </Link>
<div class="authentication-page__form-wrapper"> <div class='authentication-page__form-wrapper'>
{ authenticationRoutes.map((route, index) => ( {authenticationRoutes.map((route, index) => (
<Route <Route
key={index} key={index}
path={route.path} path={route.path}
@@ -32,8 +38,7 @@ export default function AuthenticationWrapper({ isAuthenticated =false, ...rest
</div> </div>
</Switch> </Switch>
</BodyClassName> </BodyClassName>
) )}
}
</Route> </Route>
); );
} }

View File

@@ -10,6 +10,7 @@ import {
Select Select
} from '@blueprintjs/select'; } from '@blueprintjs/select';
import { FormattedMessage as T, useIntl } from 'react-intl';
export default function CurrenciesSelectList(props) { export default function CurrenciesSelectList(props) {
const {formGroupProps, selectProps, onItemSelect} = props; const {formGroupProps, selectProps, onItemSelect} = props;
@@ -39,7 +40,7 @@ export default function CurrenciesSelectList(props) {
return ( return (
<FormGroup <FormGroup
label={'Currency'} label={<T id={'currency'}/>}
className={'form-group--select-list form-group--currency'} className={'form-group--select-list form-group--currency'}
{...formGroupProps} {...formGroupProps}
> >

View File

@@ -12,6 +12,7 @@ import DashboardTopbarUser from 'components/Dashboard/TopbarUser';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import SearchConnect from 'connectors/Search.connect'; import SearchConnect from 'connectors/Search.connect';
import { compose } from 'utils'; import { compose } from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
function DashboardTopbar({ function DashboardTopbar({
pageTitle, pageTitle,
@@ -77,18 +78,18 @@ function DashboardTopbar({
onClick={() => openGlobalSearch(true)} onClick={() => openGlobalSearch(true)}
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon='home' icon='home'
text='Search' text={<T id={'search'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon='document' icon='document'
text='Filters' text={<T id={'filters'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon='document' icon='document'
text='Add order' text={<T id={'add_order'}/>}
/> />
<Button className={Classes.MINIMAL} icon='document' text='More' /> <Button className={Classes.MINIMAL} icon='document' text='More' />
</NavbarGroup> </NavbarGroup>

View File

@@ -4,10 +4,12 @@ import UserFormDialog from 'containers/Dialogs/UserFormDialog';
import ItemCategoryDialog from 'containers/Dialogs/ItemCategoryDialog'; import ItemCategoryDialog from 'containers/Dialogs/ItemCategoryDialog';
import CurrencyDialog from 'containers/Dialogs/CurrencyDialog'; import CurrencyDialog from 'containers/Dialogs/CurrencyDialog';
import InviteUserDialog from 'containers/Dialogs/InviteUserDialog'; import InviteUserDialog from 'containers/Dialogs/InviteUserDialog';
import ExchangeRateDialog from 'containers/Dialogs/ExchangeRateDialog';
export default function DialogsContainer() { export default function DialogsContainer() {
return ( return (
<React.Fragment> <React.Fragment>
<ExchangeRateDialog />
<InviteUserDialog /> <InviteUserDialog />
<CurrencyDialog /> <CurrencyDialog />
<ItemCategoryDialog /> <ItemCategoryDialog />

View File

@@ -13,7 +13,7 @@ import {
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { DateInput } from '@blueprintjs/datetime'; import { DateInput } from '@blueprintjs/datetime';
import { Select } from '@blueprintjs/select'; import { Select } from '@blueprintjs/select';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { momentFormatter } from 'utils'; import { momentFormatter } from 'utils';
import moment from 'moment'; import moment from 'moment';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
@@ -25,8 +25,7 @@ export default function ExpenseForm({
expenseDetails, expenseDetails,
currencies currencies
}) { }) {
const intl = useIntl(); const {formatMessage} = useIntl();
console.log({ accounts });
const [state, setState] = useState({ const [state, setState] = useState({
selectedExpenseAccount: null, selectedExpenseAccount: null,
@@ -121,7 +120,7 @@ export default function ExpenseForm({
<div class='expense-form'> <div class='expense-form'>
<form onSubmit={formik.handleSubmit}> <form onSubmit={formik.handleSubmit}>
<FormGroup <FormGroup
label={'Date'} label={<T id={'date'}/>}
inline={true} inline={true}
intent={formik.errors.date && Intent.DANGER} intent={formik.errors.date && Intent.DANGER}
helperText={formik.errors.date && formik.errors.date} helperText={formik.errors.date && formik.errors.date}
@@ -135,7 +134,7 @@ export default function ExpenseForm({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Expense Account'} label={<T id={'expense_account'}/>}
className={'form-group--expense-account'} className={'form-group--expense-account'}
inline={true} inline={true}
intent={formik.errors.expense_account_id && Intent.DANGER} intent={formik.errors.expense_account_id && Intent.DANGER}
@@ -159,7 +158,7 @@ export default function ExpenseForm({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Amount'} label={<T id={'amount'}/>}
className={'form-group--amount'} className={'form-group--amount'}
intent={formik.errors.amount && Intent.DANGER} intent={formik.errors.amount && Intent.DANGER}
helperText={formik.errors.amount && formik.errors.amount} helperText={formik.errors.amount && formik.errors.amount}
@@ -191,7 +190,7 @@ export default function ExpenseForm({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Exchange Rate'} label={<T id={'exchange_rate'}/>}
className={'form-group--exchange-rate'} className={'form-group--exchange-rate'}
inline={true} inline={true}
> >
@@ -199,7 +198,7 @@ export default function ExpenseForm({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Payment Account'} label={<T id={'payment_account'}/>}
className={'form-group--payment-account'} className={'form-group--payment-account'}
inline={true} inline={true}
intent={formik.errors.payment_account_id && Intent.DANGER} intent={formik.errors.payment_account_id && Intent.DANGER}
@@ -223,7 +222,7 @@ export default function ExpenseForm({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Description'} label={<T id={'description'}/>}
className={'form-group--description'} className={'form-group--description'}
inline={true} inline={true}
> >
@@ -236,10 +235,10 @@ export default function ExpenseForm({
<div class='form__floating-footer'> <div class='form__floating-footer'>
<Button intent={Intent.PRIMARY} type='submit'> <Button intent={Intent.PRIMARY} type='submit'>
Save <T id={'save'}/>
</Button> </Button>
<Button>Save as Draft</Button> <Button><T id={'save_as_draft'}/></Button>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}><T id={'close'}/></Button>
</div> </div>
</form> </form>
</div> </div>

View File

@@ -16,6 +16,7 @@ import { useRouteMatch } from 'react-router-dom'
import classNames from 'classnames'; import classNames from 'classnames';
import DashboardActionsBar from 'components/Dashboard/DashboardActionsBar'; import DashboardActionsBar from 'components/Dashboard/DashboardActionsBar';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { FormattedMessage as T, useIntl } from 'react-intl';
export default function ExpensesActionsBar({ export default function ExpensesActionsBar({
@@ -39,7 +40,7 @@ export default function ExpensesActionsBar({
<Button <Button
className={classNames(Classes.MINIMAL, 'button--table-views')} className={classNames(Classes.MINIMAL, 'button--table-views')}
icon={<Icon icon='table' />} icon={<Icon icon='table' />}
text='Table Views' text={<T id={'table_views'}/>}
rightIcon={'caret-down'} rightIcon={'caret-down'}
/> />
</Popover> </Popover>
@@ -50,31 +51,31 @@ export default function ExpensesActionsBar({
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
href='/dashboard/expenses/new' href='/dashboard/expenses/new'
text='New Expense' text={<T id={'new_expense'}/>}
onClick={onClickNewAccount} onClick={onClickNewAccount}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
intent={Intent.DANGER} intent={Intent.DANGER}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='Delete' text={<T id={'delete'}/>}
onClick={onClickNewAccount} onClick={onClickNewAccount}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='Bulk Update' text={<T id={'bulk_update'}/>}
onClick={onClickNewAccount} onClick={onClickNewAccount}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-import' />} icon={<Icon icon='file-import' />}
text='Import' text={<T id={'import'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-export' />} icon={<Icon icon='file-export' />}
text='Export' text={<T id={'export'}/>}
/> />
</NavbarGroup> </NavbarGroup>
</DashboardActionsBar> </DashboardActionsBar>

View File

@@ -13,6 +13,7 @@ import { usePrevious } from 'react-use';
import { debounce } from 'lodash'; import { debounce } from 'lodash';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { checkRequiredProperties } from 'utils'; import { checkRequiredProperties } from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
export default function FilterDropdown({ export default function FilterDropdown({
fields, fields,
@@ -146,7 +147,7 @@ export default function FilterDropdown({
minimal={true} minimal={true}
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
onClick={onClickNewFilter}> onClick={onClickNewFilter}>
+ New Conditional <T id={'new_conditional'}/>
</Button> </Button>
</div> </div>
</div> </div>

View File

@@ -1,9 +1,11 @@
import If from './Utils/If'; import If from './Utils/If';
import Money from './Money';
// import Choose from './Utils/Choose'; // import Choose from './Utils/Choose';
// import For from './Utils/For'; // import For from './Utils/For';
export { export {
If, If,
Money,
// Choose, // Choose,
// For, // For,
}; };

View File

@@ -1,17 +1,17 @@
export default [ export default [
{ {
divider: true divider: true,
}, },
{ {
icon: 'homepage', icon: 'homepage',
iconSize: 20, iconSize: 20,
text: 'Homepage', text: 'Homepage',
disabled: false, disabled: false,
href: '/dashboard/homepage' href: '/dashboard/homepage',
}, },
{ {
divider: true divider: true,
}, },
{ {
icon: 'homepage', icon: 'homepage',
@@ -20,20 +20,20 @@ export default [
children: [ children: [
{ {
text: 'Items List', text: 'Items List',
href: '/dashboard/items' href: '/dashboard/items',
}, },
{ {
text: 'New Item', text: 'New Item',
href: '/dashboard/items/new' href: '/dashboard/items/new',
}, },
{ {
text: 'Category List', text: 'Category List',
href: '/dashboard/items/categories' href: '/dashboard/items/categories',
}, },
] ],
}, },
{ {
divider: true divider: true,
}, },
{ {
icon: 'balance-scale', icon: 'balance-scale',
@@ -42,29 +42,33 @@ export default [
children: [ children: [
{ {
text: 'Accounts Chart', text: 'Accounts Chart',
href: '/dashboard/accounts' href: '/dashboard/accounts',
}, },
{ {
text: 'Manual Journal', text: 'Manual Journal',
href: '/dashboard/accounting/manual-journals' href: '/dashboard/accounting/manual-journals',
}, },
{ {
text: 'Make Journal', text: 'Make Journal',
href: '/dashboard/accounting/make-journal-entry' href: '/dashboard/accounting/make-journal-entry',
}, },
] {
text: 'Exchange Rate',
href: '/dashboard/ExchangeRates',
},
],
}, },
{ {
icon: 'university', icon: 'university',
iconSize: 20, iconSize: 20,
text: 'Banking', text: 'Banking',
children: [] children: [],
}, },
{ {
icon: 'shopping-cart', icon: 'shopping-cart',
iconSize: 20, iconSize: 20,
text: 'Sales', text: 'Sales',
children: [] children: [],
}, },
{ {
icon: 'balance-scale', icon: 'balance-scale',
@@ -75,9 +79,9 @@ export default [
icon: 'cut', icon: 'cut',
text: 'cut', text: 'cut',
label: '⌘C', label: '⌘C',
disabled: false disabled: false,
} },
] ],
}, },
{ {
icon: 'analytics', icon: 'analytics',
@@ -86,25 +90,25 @@ export default [
children: [ children: [
{ {
text: 'Balance Sheet', text: 'Balance Sheet',
href: '/dashboard/accounting/balance-sheet' href: '/dashboard/accounting/balance-sheet',
}, },
{ {
text: 'Trial Balance Sheet', text: 'Trial Balance Sheet',
href: '/dashboard/accounting/trial-balance-sheet' href: '/dashboard/accounting/trial-balance-sheet',
}, },
{ {
text: 'Journal', text: 'Journal',
href: '/dashboard/accounting/journal-sheet' href: '/dashboard/accounting/journal-sheet',
}, },
{ {
text: 'General Ledger', text: 'General Ledger',
href: '/dashboard/accounting/general-ledger' href: '/dashboard/accounting/general-ledger',
}, },
{ {
text: 'Profit Loss Sheet', text: 'Profit Loss Sheet',
href: '/dashboard/accounting/profit-loss-sheet' href: '/dashboard/accounting/profit-loss-sheet',
} },
] ],
}, },
{ {
text: 'Expenses', text: 'Expenses',
@@ -113,23 +117,23 @@ export default [
children: [ children: [
{ {
text: 'Expenses List', text: 'Expenses List',
href: '/dashboard/expenses' href: '/dashboard/expenses',
}, },
{ {
text: 'New Expenses', text: 'New Expenses',
href: '/dashboard/expenses/new' href: '/dashboard/expenses/new',
} },
] ],
}, },
{ {
divider: true divider: true,
}, },
{ {
text: 'Preferences', text: 'Preferences',
href: '/dashboard/preferences' href: '/dashboard/preferences',
}, },
{ {
text: 'Auditing System', text: 'Auditing System',
href: '/dashboard/auditing/list' href: '/dashboard/auditing/list',
} },
]; ];

View File

@@ -1,9 +1,6 @@
import React, {useMemo} from 'react'; import React, { useMemo } from 'react';
import { import { Intent, Button } from '@blueprintjs/core';
Intent, import { FormattedMessage as T, useIntl } from 'react-intl';
Button,
} from '@blueprintjs/core';
import { FormattedList } from 'react-intl';
export default function MakeJournalEntriesFooter({ export default function MakeJournalEntriesFooter({
formik: { isSubmitting }, formik: { isSubmitting },
@@ -12,15 +9,16 @@ export default function MakeJournalEntriesFooter({
}) { }) {
return ( return (
<div> <div>
<div class="form__floating-footer"> <div class='form__floating-footer'>
<Button <Button
disabled={isSubmitting} disabled={isSubmitting}
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
name={'save'} name={'save'}
onClick={() => { onClick={() => {
onSubmitClick({ publish: true, redirect: true }); onSubmitClick({ publish: true, redirect: true });
}}> }}
Save >
<T id={'save'} />
</Button> </Button>
<Button <Button
@@ -29,28 +27,31 @@ export default function MakeJournalEntriesFooter({
className={'ml1'} className={'ml1'}
name={'save_and_new'} name={'save_and_new'}
onClick={() => { onClick={() => {
onSubmitClick({ publish: true, redirect: false }); onSubmitClick({ publish: true, redirect: false });
}}> }}
Save & New >
<T id={'save_new'} />
</Button> </Button>
<Button <Button
disabled={isSubmitting} disabled={isSubmitting}
className={'button-secondary ml1'} className={'button-secondary ml1'}
onClick={() => { onClick={() => {
onSubmitClick({ publish: false, redirect: false }); onSubmitClick({ publish: false, redirect: false });
}}> }}
Save as Draft >
<T id={'save_as_draft'} />
</Button> </Button>
<Button <Button
className={'button-secondary ml1'} className={'button-secondary ml1'}
onClick={() => { onClick={() => {
onCancelClick && onCancelClick(); onCancelClick && onCancelClick();
}}> }}
Cancel >
<T id={'cancel'}/>
</Button> </Button>
</div> </div>
</div> </div>
); );
} }

View File

@@ -1,9 +1,10 @@
import React, {useMemo, useState, useEffect, useRef, useCallback} from 'react'; import React, {useMemo, useState, useEffect, useRef, useCallback} from 'react';
import * as Yup from 'yup'; import * as Yup from 'yup';
import {useFormik} from "formik"; import { useFormik } from "formik";
import moment from 'moment'; import moment from 'moment';
import { Intent } from '@blueprintjs/core'; import { Intent } from '@blueprintjs/core';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { pick } from 'lodash';
import MakeJournalEntriesHeader from './MakeJournalEntriesHeader'; import MakeJournalEntriesHeader from './MakeJournalEntriesHeader';
import MakeJournalEntriesFooter from './MakeJournalEntriesFooter'; import MakeJournalEntriesFooter from './MakeJournalEntriesFooter';
@@ -15,7 +16,6 @@ import withAccountsActions from 'containers/Accounts/withAccountsActions';
import withDashboardActions from 'containers/Dashboard/withDashboard'; import withDashboardActions from 'containers/Dashboard/withDashboard';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
import {pick} from 'lodash';
import Dragzone from 'components/Dragzone'; import Dragzone from 'components/Dragzone';
import MediaConnect from 'connectors/Media.connect'; import MediaConnect from 'connectors/Media.connect';
@@ -55,10 +55,10 @@ function MakeJournalEntriesForm({
useEffect(() => { useEffect(() => {
if (manualJournal && manualJournal.id) { if (manualJournal && manualJournal.id) {
changePageTitle('Edit Journal'); changePageTitle(formatMessage({id:'edit_journal'}));
changePageSubtitle(`No. ${manualJournal.journal_number}`); changePageSubtitle(`No. ${manualJournal.journal_number}`);
} else { } else {
changePageTitle('New Journal'); changePageTitle(formatMessage({id:'new_journal'}));
} }
}, [changePageTitle, changePageSubtitle, manualJournal]); }, [changePageTitle, changePageSubtitle, manualJournal]);

View File

@@ -6,7 +6,7 @@ import {
Position, Position,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import {DateInput} from '@blueprintjs/datetime'; import {DateInput} from '@blueprintjs/datetime';
import {useIntl} from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import {Row, Col} from 'react-grid-system'; import {Row, Col} from 'react-grid-system';
import moment from 'moment'; import moment from 'moment';
import {momentFormatter} from 'utils'; import {momentFormatter} from 'utils';
@@ -17,7 +17,7 @@ import ErrorMessage from 'components/ErrorMessage';
export default function MakeJournalEntriesHeader({ export default function MakeJournalEntriesHeader({
formik: { errors, touched, setFieldValue, getFieldProps } formik: { errors, touched, setFieldValue, getFieldProps }
}) { }) {
const intl = useIntl(); const {formatMessage} = useIntl();
const handleDateChange = useCallback((date) => { const handleDateChange = useCallback((date) => {
const formatted = moment(date).format('YYYY-MM-DD'); const formatted = moment(date).format('YYYY-MM-DD');
@@ -32,7 +32,7 @@ export default function MakeJournalEntriesHeader({
<Row> <Row>
<Col sm={3}> <Col sm={3}>
<FormGroup <FormGroup
label={'Journal number'} label={<T id={'journal_number'}/>}
labelInfo={infoIcon} labelInfo={infoIcon}
className={'form-group--journal-number'} className={'form-group--journal-number'}
intent={(errors.journal_number && touched.journal_number) && Intent.DANGER} intent={(errors.journal_number && touched.journal_number) && Intent.DANGER}
@@ -48,7 +48,7 @@ export default function MakeJournalEntriesHeader({
<Col sm={2}> <Col sm={2}>
<FormGroup <FormGroup
label={intl.formatMessage({'id': 'date'})} label={<T id={'date'}/>}
intent={(errors.date && touched.date) && Intent.DANGER} intent={(errors.date && touched.date) && Intent.DANGER}
helperText={<ErrorMessage name="date" {...{errors, touched}} />} helperText={<ErrorMessage name="date" {...{errors, touched}} />}
minimal={true}> minimal={true}>
@@ -63,7 +63,7 @@ export default function MakeJournalEntriesHeader({
<Col sm={4}> <Col sm={4}>
<FormGroup <FormGroup
label={intl.formatMessage({'id': 'description'})} label={<T id={'description'}/>}
className={'form-group--description'} className={'form-group--description'}
intent={(errors.name && touched.name) && Intent.DANGER} intent={(errors.name && touched.name) && Intent.DANGER}
helperText={<ErrorMessage name="description" {...{errors, touched}} />} helperText={<ErrorMessage name="description" {...{errors, touched}} />}
@@ -80,7 +80,7 @@ export default function MakeJournalEntriesHeader({
<Row> <Row>
<Col sm={3}> <Col sm={3}>
<FormGroup <FormGroup
label={'Reference'} label={<T id={'reference'}/>}
labelInfo={infoIcon} labelInfo={infoIcon}
className={'form-group--reference'} className={'form-group--reference'}
intent={(errors.reference && touched.reference) && Intent.DANGER} intent={(errors.reference && touched.reference) && Intent.DANGER}

View File

@@ -1,11 +1,8 @@
import React, {useState, useMemo, useEffect, useCallback} from 'react'; import React, { useState, useMemo, useEffect, useCallback } from 'react';
import { import { Button, Intent } from '@blueprintjs/core';
Button,
Intent,
} from '@blueprintjs/core';
import DataTable from 'components/DataTable'; import DataTable from 'components/DataTable';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { compose, formattedAmount} from 'utils'; import { compose, formattedAmount } from 'utils';
import { import {
AccountsListFieldCell, AccountsListFieldCell,
MoneyFieldCell, MoneyFieldCell,
@@ -14,7 +11,7 @@ import {
import { omit } from 'lodash'; import { omit } from 'lodash';
import withAccounts from 'containers/Accounts/withAccounts'; import withAccounts from 'containers/Accounts/withAccounts';
import { FormattedMessage as T, useIntl } from 'react-intl';
// Actions cell renderer. // Actions cell renderer.
const ActionsCellRenderer = ({ const ActionsCellRenderer = ({
@@ -24,55 +21,54 @@ const ActionsCellRenderer = ({
data, data,
payload, payload,
}) => { }) => {
if (data.length <= (index + 2)) { if (data.length <= index + 2) {
return ''; return '';
} }
const onClickRemoveRole = () => { const onClickRemoveRole = () => {
payload.removeRow(index); payload.removeRow(index);
}; };
return ( return (
<Button <Button
icon={<Icon icon="times-circle" iconSize={14} />} icon={<Icon icon='times-circle' iconSize={14} />}
iconSize={14} iconSize={14}
className="ml2" className='ml2'
minimal={true} minimal={true}
intent={Intent.DANGER} intent={Intent.DANGER}
onClick={onClickRemoveRole} /> onClick={onClickRemoveRole}
/>
); );
}; };
// Total text cell renderer. // Total text cell renderer.
const TotalAccountCellRenderer = (chainedComponent) => (props) => { const TotalAccountCellRenderer = (chainedComponent) => (props) => {
if (props.data.length === (props.row.index + 2)) { if (props.data.length === props.row.index + 2) {
return (<span>{ 'Total USD' }</span>); return <span>{'Total USD'}</span>;
} }
return chainedComponent(props); return chainedComponent(props);
}; };
// Total credit/debit cell renderer. // Total credit/debit cell renderer.
const TotalCreditDebitCellRenderer = (chainedComponent, type) => (props) => { const TotalCreditDebitCellRenderer = (chainedComponent, type) => (props) => {
if (props.data.length === (props.row.index + 2)) { if (props.data.length === props.row.index + 2) {
const total = props.data.reduce((total, entry) => { const total = props.data.reduce((total, entry) => {
const amount = parseInt(entry[type], 10); const amount = parseInt(entry[type], 10);
const computed = amount ? total + amount : total; const computed = amount ? total + amount : total;
return computed; return computed;
}, 0); }, 0);
return (<span>{ formattedAmount(total, 'USD') }</span>); return <span>{formattedAmount(total, 'USD')}</span>;
} }
return chainedComponent(props); return chainedComponent(props);
}; };
const NoteCellRenderer = (chainedComponent) => (props) => { const NoteCellRenderer = (chainedComponent) => (props) => {
if (props.data.length === (props.row.index + 2)) { if (props.data.length === props.row.index + 2) {
return ''; return '';
} }
return chainedComponent(props); return chainedComponent(props);
}; };
/** /**
* Make journal entries table component. * Make journal entries table component.
*/ */
@@ -88,116 +84,128 @@ function MakeJournalEntriesTable({
formik: { errors, values, setFieldValue }, formik: { errors, values, setFieldValue },
}) { }) {
const [rows, setRow] = useState([]); const [rows, setRow] = useState([]);
const { formatMessage } = useIntl();
useEffect(() => { useEffect(() => {
setRow([ setRow([
...initialValues.entries.map((e) => ({ ...e, rowType: 'editor'})), ...initialValues.entries.map((e) => ({ ...e, rowType: 'editor' })),
defaultRow, defaultRow,
defaultRow, defaultRow,
]) ]);
}, [initialValues, defaultRow]) }, [initialValues, defaultRow]);
// Handles update datatable data. // Handles update datatable data.
const handleUpdateData = useCallback((rowIndex, columnId, value) => { const handleUpdateData = useCallback(
const newRows = rows.map((row, index) => { (rowIndex, columnId, value) => {
if (index === rowIndex) { const newRows = rows.map((row, index) => {
return { ...rows[rowIndex], [columnId]: value }; if (index === rowIndex) {
} return { ...rows[rowIndex], [columnId]: value };
return { ...row }; }
}); return { ...row };
setRow(newRows); });
setFieldValue('entries', newRows.map(row => ({ setRow(newRows);
...omit(row, ['rowType']), setFieldValue(
}))); 'entries',
}, [rows, setFieldValue]); newRows.map((row) => ({
...omit(row, ['rowType']),
}))
);
},
[rows, setFieldValue]
);
// Handles click remove datatable row. // Handles click remove datatable row.
const handleRemoveRow = useCallback((rowIndex) => { const handleRemoveRow = useCallback(
const removeIndex = parseInt(rowIndex, 10); (rowIndex) => {
const newRows = rows.filter((row, index) => index !== removeIndex); const removeIndex = parseInt(rowIndex, 10);
const newRows = rows.filter((row, index) => index !== removeIndex);
setRow([ ...newRows ]);
setFieldValue('entries', newRows setRow([...newRows]);
.filter(row => row.rowType === 'editor') setFieldValue(
.map(row => ({ ...omit(row, ['rowType']) }) 'entries',
)); newRows
onClickRemoveRow && onClickRemoveRow(removeIndex); .filter((row) => row.rowType === 'editor')
}, [rows, setFieldValue, onClickRemoveRow]); .map((row) => ({ ...omit(row, ['rowType']) }))
);
onClickRemoveRow && onClickRemoveRow(removeIndex);
},
[rows, setFieldValue, onClickRemoveRow]
);
// Memorized data table columns. // Memorized data table columns.
const columns = useMemo(() => [ const columns = useMemo(
{ () => [
Header: '#', {
accessor: 'index', Header: '#',
Cell: ({ row: {index} }) => ( accessor: 'index',
<span>{ index + 1 }</span> Cell: ({ row: { index } }) => <span>{index + 1}</span>,
), className: 'index',
className: "index", width: 40,
width: 40, disableResizing: true,
disableResizing: true, disableSortBy: true,
disableSortBy: true, },
}, {
{ Header: formatMessage({ id: 'account' }),
Header: 'Account', id: 'account_id',
id: 'account_id', accessor: 'account_id',
accessor: 'account_id', Cell: TotalAccountCellRenderer(AccountsListFieldCell),
Cell: TotalAccountCellRenderer(AccountsListFieldCell), className: 'account',
className: "account", disableSortBy: true,
disableSortBy: true, disableResizing: true,
disableResizing: true, width: 250,
width: 250, },
}, {
{ Header: formatMessage({ id: 'credit_currency' }, { currency: 'USD' }),
Header: 'Credit (USD)', accessor: 'credit',
accessor: 'credit', Cell: TotalCreditDebitCellRenderer(MoneyFieldCell, 'credit'),
Cell: TotalCreditDebitCellRenderer(MoneyFieldCell, 'credit'), className: 'credit',
className: "credit", disableSortBy: true,
disableSortBy: true, disableResizing: true,
disableResizing: true, width: 150,
width: 150, },
}, {
{ Header: formatMessage({ id: 'debit_currency' }, { currency: 'USD' }),
Header: 'Debit (USD)', accessor: 'debit',
accessor: 'debit', Cell: TotalCreditDebitCellRenderer(MoneyFieldCell, 'debit'),
Cell: TotalCreditDebitCellRenderer(MoneyFieldCell, 'debit'), className: 'debit',
className: "debit", disableSortBy: true,
disableSortBy: true, disableResizing: true,
disableResizing: true, width: 150,
width: 150, },
}, {
{ Header: formatMessage({ id: 'note' }),
Header: 'Note', accessor: 'note',
accessor: 'note', Cell: NoteCellRenderer(InputGroupCell),
Cell: NoteCellRenderer(InputGroupCell), disableSortBy: true,
disableSortBy: true, className: 'note',
className: "note", },
}, {
{ Header: '',
Header: '', accessor: 'action',
accessor: 'action', Cell: ActionsCellRenderer,
Cell: ActionsCellRenderer, className: 'actions',
className: "actions", disableSortBy: true,
disableSortBy: true, disableResizing: true,
disableResizing: true, width: 45,
width: 45, },
} ],
], []); []
);
// Handles click new line. // Handles click new line.
const onClickNewRow = useCallback(() => { const onClickNewRow = useCallback(() => {
setRow([ setRow([...rows, { ...defaultRow, rowType: 'editor' }]);
...rows,
{ ...defaultRow, rowType: 'editor' },
]);
onClickAddNewRow && onClickAddNewRow(); onClickAddNewRow && onClickAddNewRow();
}, [defaultRow, rows, onClickAddNewRow]); }, [defaultRow, rows, onClickAddNewRow]);
const rowClassNames = useCallback((row) => ({ const rowClassNames = useCallback(
'row--total': rows.length === (row.index + 2), (row) => ({
}), [rows]); 'row--total': rows.length === row.index + 2,
}),
[rows]
);
return ( return (
<div class="make-journal-entries__table"> <div class='make-journal-entries__table'>
<DataTable <DataTable
columns={columns} columns={columns}
data={rows} data={rows}
@@ -207,21 +215,24 @@ function MakeJournalEntriesTable({
errors: errors.entries || [], errors: errors.entries || [],
updateData: handleUpdateData, updateData: handleUpdateData,
removeRow: handleRemoveRow, removeRow: handleRemoveRow,
}}/> }}
/>
<div class="mt1"> <div class='mt1'>
<Button <Button
small={true} small={true}
className={'button--secondary button--new-line'} className={'button--secondary button--new-line'}
onClick={onClickNewRow}> onClick={onClickNewRow}
New lines >
<T id={'new_lines'} />
</Button> </Button>
<Button <Button
small={true} small={true}
className={'button--secondary button--clear-lines ml1'} className={'button--secondary button--clear-lines ml1'}
onClick={onClickNewRow}> onClick={onClickNewRow}
Clear all lines >
<T id={'clear_all_lines'} />
</Button> </Button>
</div> </div>
</div> </div>
@@ -232,4 +243,4 @@ export default compose(
withAccounts(({ accounts }) => ({ withAccounts(({ accounts }) => ({
accounts, accounts,
})), })),
)(MakeJournalEntriesTable); )(MakeJournalEntriesTable);

View File

@@ -25,6 +25,7 @@ import withResourceDetail from 'containers/Resources/withResourceDetails';
import withManualJournals from 'containers/Accounting/withManualJournals'; import withManualJournals from 'containers/Accounting/withManualJournals';
import withManualJournalsActions from 'containers/Accounting/withManualJournalsActions'; import withManualJournalsActions from 'containers/Accounting/withManualJournalsActions';
import { FormattedMessage as T, useIntl } from 'react-intl';
function ManualJournalActionsBar({ function ManualJournalActionsBar({
// #withResourceDetail // #withResourceDetail
@@ -43,6 +44,7 @@ function ManualJournalActionsBar({
}) { }) {
const { path } = useRouteMatch(); const { path } = useRouteMatch();
const history = useHistory(); const history = useHistory();
const {formatMessage} = useIntl();
const viewsMenuItems = manualJournalsViews.map(view => { const viewsMenuItems = manualJournalsViews.map(view => {
return ( return (
@@ -82,7 +84,7 @@ function ManualJournalActionsBar({
<Button <Button
className={classNames(Classes.MINIMAL, 'button--table-views')} className={classNames(Classes.MINIMAL, 'button--table-views')}
icon={<Icon icon='table' />} icon={<Icon icon='table' />}
text='Table Views' text={<T id={'table_views'}/>}
rightIcon={'caret-down'} rightIcon={'caret-down'}
/> />
</Popover> </Popover>
@@ -92,7 +94,7 @@ function ManualJournalActionsBar({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='New Journal' text={<T id={'new_journal'}/>}
onClick={onClickNewManualJournal} onClick={onClickNewManualJournal}
/> />
<Popover <Popover
@@ -111,7 +113,7 @@ function ManualJournalActionsBar({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='trash' iconSize={15} />} icon={<Icon icon='trash' iconSize={15} />}
text='Delete' text={<T id={'delete'}/>}
intent={Intent.DANGER} intent={Intent.DANGER}
onClick={handleBulkDelete} onClick={handleBulkDelete}
/> />
@@ -120,12 +122,12 @@ function ManualJournalActionsBar({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-import' />} icon={<Icon icon='file-import' />}
text='Import' text={<T id={'import'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-export' />} icon={<Icon icon='file-export' />}
text='Export' text={<T id={'export'}/>}
/> />
</NavbarGroup> </NavbarGroup>
</DashboardActionsBar> </DashboardActionsBar>

View File

@@ -11,6 +11,8 @@ import {
Position, Position,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { useParams } from 'react-router-dom'; import { useParams } from 'react-router-dom';
import { FormattedMessage as T, useIntl } from 'react-intl';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { compose } from 'utils'; import { compose } from 'utils';
import moment from 'moment'; import moment from 'moment';
@@ -20,14 +22,13 @@ import DialogConnect from 'connectors/Dialog.connector';
import { useUpdateEffect } from 'hooks'; import { useUpdateEffect } from 'hooks';
import DataTable from 'components/DataTable'; import DataTable from 'components/DataTable';
import Money from 'components/Money';
import withDashboardActions from 'containers/Dashboard/withDashboard'; import withDashboardActions from 'containers/Dashboard/withDashboard';
import withViewDetails from 'containers/Views/withViewDetails'; import withViewDetails from 'containers/Views/withViewDetails';
import withManualJournals from 'containers/Accounting/withManualJournals'; import withManualJournals from 'containers/Accounting/withManualJournals';
import withManualJournalsActions from 'containers/Accounting/withManualJournalsActions'; import withManualJournalsActions from 'containers/Accounting/withManualJournalsActions';
import { If } from 'components'; import { If, Money } from 'components';
function ManualJournalsDataTable({ function ManualJournalsDataTable({
@@ -52,6 +53,8 @@ function ManualJournalsDataTable({
const { custom_view_id: customViewId } = useParams(); const { custom_view_id: customViewId } = useParams();
const [initialMount, setInitialMount] = useState(false); const [initialMount, setInitialMount] = useState(false);
const { formatMessage } = useIntl();
useUpdateEffect(() => { useUpdateEffect(() => {
if (!manualJournalsLoading) { if (!manualJournalsLoading) {
setInitialMount(true); setInitialMount(true);
@@ -72,63 +75,75 @@ function ManualJournalsDataTable({
viewMeta, viewMeta,
]); ]);
const handlePublishJournal = useCallback((journal) => () => { const handlePublishJournal = useCallback(
onPublishJournal && onPublishJournal(journal); (journal) => () => {
}, [onPublishJournal]); onPublishJournal && onPublishJournal(journal);
},
[onPublishJournal]
);
const handleEditJournal = useCallback((journal) => () => { const handleEditJournal = useCallback(
onEditJournal && onEditJournal(journal); (journal) => () => {
}, [onEditJournal]); onEditJournal && onEditJournal(journal);
},
[onEditJournal]
);
const handleDeleteJournal = useCallback((journal) => () => { const handleDeleteJournal = useCallback(
onDeleteJournal && onDeleteJournal(journal); (journal) => () => {
}, [onDeleteJournal]); onDeleteJournal && onDeleteJournal(journal);
},
[onDeleteJournal]
);
const actionMenuList = (journal) => ( const actionMenuList = (journal) => (
<Menu> <Menu>
<MenuItem text='View Details' /> <MenuItem text={<T id={'view_details'} />} />
<MenuDivider /> <MenuDivider />
{!journal.status && ( {!journal.status && (
<MenuItem <MenuItem
text="Publish Journal" text={<T id={'publish_journal'} />}
onClick={handlePublishJournal(journal)} /> onClick={handlePublishJournal(journal)}
)} />
)}
<MenuItem <MenuItem
text='Edit Journal' text={<T id={'edit_journal'} />}
onClick={handleEditJournal(journal)} /> onClick={handleEditJournal(journal)}
/>
<MenuItem <MenuItem
text='Delete Journal' text={<T id={'delete_journal'} />}
intent={Intent.DANGER} intent={Intent.DANGER}
onClick={handleDeleteJournal(journal)} /> onClick={handleDeleteJournal(journal)}
/>
</Menu> </Menu>
); );
const columns = useMemo(() => [ const columns = useMemo(() => [
{ {
id: 'date', id: 'date',
Header: 'Date', Header: formatMessage({ id: 'date' }),
accessor: r => moment().format('YYYY-MM-DD'), accessor: (r) => moment().format('YYYY-MM-DD'),
disableResizing: true, disableResizing: true,
width: 150, width: 150,
className: 'date', className: 'date',
}, },
{ {
id: 'amount', id: 'amount',
Header: 'Amount', Header: formatMessage({ id: 'amount' }),
accessor: r => (<Money amount={r.amount} currency={'USD'} />), accessor: r => (<Money amount={r.amount} currency={'USD'} />),
disableResizing: true, disableResizing: true,
className: 'amount', className: 'amount',
}, },
{ {
id: 'journal_number', id: 'journal_number',
Header: 'Journal No.', Header: formatMessage({ id: 'journal_no' }),
accessor: 'journal_number', accessor: 'journal_number',
disableResizing: true, disableResizing: true,
className: 'journal_number', className: 'journal_number',
}, },
{ {
id: 'status', id: 'status',
Header: 'Status', Header: formatMessage({ id: 'status' }),
accessor: (r) => { accessor: (r) => {
return r.status ? 'Published' : 'Draft'; return r.status ? 'Published' : 'Draft';
}, },
@@ -138,7 +153,7 @@ function ManualJournalsDataTable({
}, },
{ {
id: 'note', id: 'note',
Header: 'Note', Header: formatMessage({ id: 'note' }),
accessor: (row) => ( accessor: (row) => (
<If condition={row.description}> <If condition={row.description}>
<Tooltip <Tooltip
@@ -157,14 +172,14 @@ function ManualJournalsDataTable({
}, },
{ {
id: 'transaction_type', id: 'transaction_type',
Header: 'Transaction type ', Header: formatMessage({ id: 'transaction_type' }),
accessor: 'transaction_type', accessor: 'transaction_type',
width: 100, width: 100,
className: 'transaction_type', className: 'transaction_type',
}, },
{ {
id: 'created_at', id: 'created_at',
Header: 'Created At', Header: formatMessage({ id: 'created_at' }),
accessor: r => moment().format('YYYY-MM-DD'), accessor: r => moment().format('YYYY-MM-DD'),
disableResizing: true, disableResizing: true,
width: 150, width: 150,
@@ -192,7 +207,7 @@ function ManualJournalsDataTable({
}, [onFetchData]); }, [onFetchData]);
const handleSelectedRowsChange = useCallback((selectedRows) => { const handleSelectedRowsChange = useCallback((selectedRows) => {
onSelectedRowsChange && onSelectedRowsChange(selectedRows.map(s => s.original)); onSelectedRowsChange && onSelectedRowsChange(selectedRows.map((s) => s.original));
}, [onSelectedRowsChange]); }, [onSelectedRowsChange]);
return ( return (
@@ -214,7 +229,6 @@ function ManualJournalsDataTable({
export default compose( export default compose(
DialogConnect, DialogConnect,
withDashboardActions, withDashboardActions,
// withViewsActions,
withManualJournalsActions, withManualJournalsActions,
withManualJournals(({ manualJournals, manualJournalsLoading, }) => ({ withManualJournals(({ manualJournals, manualJournalsLoading, }) => ({
manualJournals, manualJournals,

View File

@@ -3,6 +3,7 @@ import { Route, Switch, useHistory } from 'react-router-dom';
import { useQuery } from 'react-query'; import { useQuery } from 'react-query';
import { Alert, Intent } from '@blueprintjs/core'; import { Alert, Intent } from '@blueprintjs/core';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
import { FormattedMessage as T, useIntl } from 'react-intl';
import DashboardPageContent from 'components/Dashboard/DashboardPageContent'; import DashboardPageContent from 'components/Dashboard/DashboardPageContent';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
@@ -17,7 +18,6 @@ import withViewsActions from 'containers/Views/withViewsActions';
import { compose } from 'utils'; import { compose } from 'utils';
/** /**
* Manual journals table. * Manual journals table.
*/ */
@@ -39,22 +39,26 @@ function ManualJournalsTable({
const [deleteManualJournal, setDeleteManualJournal] = useState(false); const [deleteManualJournal, setDeleteManualJournal] = useState(false);
const [selectedRows, setSelectedRows] = useState([]); const [selectedRows, setSelectedRows] = useState([]);
const [bulkDelete, setBulkDelete] = useState(false); const [bulkDelete, setBulkDelete] = useState(false);
const { formatMessage } = useIntl();
const fetchViews = useQuery('journals-resource-views', () => { const fetchViews = useQuery('journals-resource-views', () => {
return requestFetchResourceViews('manual_journals'); return requestFetchResourceViews('manual_journals');
}); });
const fetchManualJournals = useQuery('manual-journals-table', () => const fetchManualJournals = useQuery('manual-journals-table', () =>
requestFetchManualJournalsTable()); requestFetchManualJournalsTable()
);
useEffect(() => { useEffect(() => {
changePageTitle('Manual Journals'); changePageTitle(formatMessage({id:'manual_journals'}));
}, [changePageTitle]); }, [changePageTitle]);
// Handle delete manual journal click. // Handle delete manual journal click.
const handleDeleteJournal = useCallback((journal) => { const handleDeleteJournal = useCallback(
setDeleteManualJournal(journal); (journal) => {
}, [setDeleteManualJournal]); setDeleteManualJournal(journal);
},
[setDeleteManualJournal]
);
// Handle cancel delete manual journal. // Handle cancel delete manual journal.
const handleCancelManualJournalDelete = useCallback(() => { const handleCancelManualJournalDelete = useCallback(() => {
@@ -69,30 +73,35 @@ function ManualJournalsTable({
}); });
}, [deleteManualJournal, requestDeleteManualJournal]); }, [deleteManualJournal, requestDeleteManualJournal]);
const handleBulkDelete = useCallback((accountsIds) => { const handleBulkDelete = useCallback(
setBulkDelete(accountsIds); (accountsIds) => {
}, [setBulkDelete]); setBulkDelete(accountsIds);
},
[setBulkDelete]
);
const handleConfirmBulkDelete = useCallback(() => { const handleConfirmBulkDelete = useCallback(() => {
requestDeleteBulkManualJournals(bulkDelete).then(() => { requestDeleteBulkManualJournals(bulkDelete)
setBulkDelete(false); .then(() => {
AppToaster.show({ message: 'the_accounts_have_been_deleted' }); setBulkDelete(false);
}).catch((error) => { AppToaster.show({ message: 'the_accounts_have_been_deleted' });
setBulkDelete(false); })
}); .catch((error) => {
}, [ setBulkDelete(false);
requestDeleteBulkManualJournals, });
bulkDelete, }, [requestDeleteBulkManualJournals, bulkDelete]);
]);
const handleCancelBulkDelete = useCallback(() => { const handleCancelBulkDelete = useCallback(() => {
setBulkDelete(false); setBulkDelete(false);
}, []); }, []);
const handleEditJournal = useCallback((journal) => { const handleEditJournal = useCallback(
history.push(`/dashboard/accounting/manual-journals/${journal.id}/edit`); (journal) => {
}, [history]); history.push(`/dashboard/accounting/manual-journals/${journal.id}/edit`);
},
[history]
);
// Handle filter change to re-fetch data-table. // Handle filter change to re-fetch data-table.
const handleFilterChanged = useCallback(() => { const handleFilterChanged = useCallback(() => {
fetchManualJournals.refetch(); fetchManualJournals.refetch();
@@ -104,36 +113,49 @@ function ManualJournalsTable({
}, [fetchManualJournals]); }, [fetchManualJournals]);
// Handle fetch data of manual jouranls datatable. // Handle fetch data of manual jouranls datatable.
const handleFetchData = useCallback(({ pageIndex, pageSize, sortBy }) => { const handleFetchData = useCallback(
addManualJournalsTableQueries({ ({ pageIndex, pageSize, sortBy }) => {
...(sortBy.length > 0) ? { addManualJournalsTableQueries({
column_sort_by: sortBy[0].id, ...(sortBy.length > 0
sort_order: sortBy[0].desc ? 'desc' : 'asc', ? {
} : {}, column_sort_by: sortBy[0].id,
}); sort_order: sortBy[0].desc ? 'desc' : 'asc',
}, [ }
addManualJournalsTableQueries, : {}),
]); });
},
[addManualJournalsTableQueries]
);
const handlePublishJournal = useCallback((journal) => { const handlePublishJournal = useCallback(
requestPublishManualJournal(journal.id).then(() => { (journal) => {
AppToaster.show({ message: 'the_manual_journal_id_has_been_published' }); requestPublishManualJournal(journal.id).then(() => {
}) AppToaster.show({
}, [requestPublishManualJournal]); message: 'the_manual_journal_id_has_been_published',
});
});
},
[requestPublishManualJournal]
);
// Handle selected rows change. // Handle selected rows change.
const handleSelectedRowsChange = useCallback((accounts) => { const handleSelectedRowsChange = useCallback(
setSelectedRows(accounts); (accounts) => {
}, [setSelectedRows]); setSelectedRows(accounts);
},
[setSelectedRows]
);
return ( return (
<DashboardInsider <DashboardInsider
loading={fetchViews.isFetching || fetchManualJournals.isFetching} loading={fetchViews.isFetching || fetchManualJournals.isFetching}
name={'manual-journals'}> name={'manual-journals'}
>
<ManualJournalsActionsBar <ManualJournalsActionsBar
onBulkDelete={handleBulkDelete} onBulkDelete={handleBulkDelete}
selectedRows={selectedRows} selectedRows={selectedRows}
onFilterChanged={handleFilterChanged} /> onFilterChanged={handleFilterChanged}
/>
<DashboardPageContent> <DashboardPageContent>
<Switch> <Switch>
@@ -142,8 +164,7 @@ function ManualJournalsTable({
path={[ path={[
'/dashboard/accounting/manual-journals/:custom_view_id/custom_view', '/dashboard/accounting/manual-journals/:custom_view_id/custom_view',
'/dashboard/accounting/manual-journals', '/dashboard/accounting/manual-journals',
]}> ]}>
</Route> </Route>
</Switch> </Switch>
@@ -152,11 +173,12 @@ function ManualJournalsTable({
onFetchData={handleFetchData} onFetchData={handleFetchData}
onEditJournal={handleEditJournal} onEditJournal={handleEditJournal}
onPublishJournal={handlePublishJournal} onPublishJournal={handlePublishJournal}
onSelectedRowsChange={handleSelectedRowsChange} /> onSelectedRowsChange={handleSelectedRowsChange}
/>
<Alert <Alert
cancelButtonText='Cancel' cancelButtonText={<T id={'cancel'} />}
confirmButtonText='Move to Trash' confirmButtonText={<T id={'move_to_trash'} />}
icon='trash' icon='trash'
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={deleteManualJournal} isOpen={deleteManualJournal}
@@ -170,8 +192,8 @@ function ManualJournalsTable({
</Alert> </Alert>
<Alert <Alert
cancelButtonText='Cancel' cancelButtonText={<T id={'cancel'} />}
confirmButtonText='Move to Trash' confirmButtonText={<T id={'move_to_trash'} />}
icon='trash' icon='trash'
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={bulkDelete} isOpen={bulkDelete}
@@ -191,5 +213,5 @@ function ManualJournalsTable({
export default compose( export default compose(
withDashboardActions, withDashboardActions,
withManualJournalsActions, withManualJournalsActions,
withViewsActions, withViewsActions
)(ManualJournalsTable); )(ManualJournalsTable);

View File

@@ -27,6 +27,7 @@ import withAccountsTableActions from 'containers/Accounts/withAccountsTableActio
import withAccounts from 'containers/Accounts/withAccounts'; import withAccounts from 'containers/Accounts/withAccounts';
import {compose} from 'utils'; import {compose} from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
function AccountsActionsBar({ function AccountsActionsBar({
@@ -89,7 +90,7 @@ function AccountsActionsBar({
<Button <Button
className={classNames(Classes.MINIMAL, 'button--table-views')} className={classNames(Classes.MINIMAL, 'button--table-views')}
icon={<Icon icon='table' />} icon={<Icon icon='table' />}
text='Table Views' text={<T id={'table_views'}/>}
rightIcon={'caret-down'} rightIcon={'caret-down'}
/> />
</Popover> </Popover>
@@ -99,7 +100,7 @@ function AccountsActionsBar({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='New Account' text={<T id={'new_account'}/>}
onClick={onClickNewAccount} onClick={onClickNewAccount}
/> />
<Popover <Popover
@@ -110,7 +111,7 @@ function AccountsActionsBar({
<Button <Button
className={classNames(Classes.MINIMAL, 'button--filter')} className={classNames(Classes.MINIMAL, 'button--filter')}
text={filterCount <= 0 ? 'Filter' : `${filterCount} filters applied`} text={filterCount <= 0 ? <T id={'filter'}/> : `${filterCount} filters applied`}
icon={ <Icon icon="filter" /> }/> icon={ <Icon icon="filter" /> }/>
</Popover> </Popover>
@@ -118,13 +119,13 @@ function AccountsActionsBar({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='archive' iconSize={15} />} icon={<Icon icon='archive' iconSize={15} />}
text='Archive' text={<T id={'archive'}/>}
onClick={handleBulkArchive} onClick={handleBulkArchive}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='trash' iconSize={15} />} icon={<Icon icon='trash' iconSize={15} />}
text='Delete' text={<T id={'delete'}/>}
intent={Intent.DANGER} intent={Intent.DANGER}
onClick={handleBulkDelete} onClick={handleBulkDelete}
/> />
@@ -133,12 +134,12 @@ function AccountsActionsBar({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-import' />} icon={<Icon icon='file-import' />}
text='Import' text={<T id={'import'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-export' />} icon={<Icon icon='file-export' />}
text='Export' text={<T id={'export'}/>}
/> />
</NavbarGroup> </NavbarGroup>
</DashboardActionsBar> </DashboardActionsBar>

View File

@@ -5,7 +5,7 @@ import {
} from 'react-router-dom'; } from 'react-router-dom';
import { Alert, Intent } from '@blueprintjs/core'; import { Alert, Intent } from '@blueprintjs/core';
import { useQuery } from 'react-query' import { useQuery } from 'react-query'
import { useIntl } from 'react-intl'; import { FormattedMessage as T, FormattedHTMLMessage, useIntl } from 'react-intl';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
@@ -23,7 +23,6 @@ import withViewsActions from 'containers/Views/withViewsActions';
import withAccounts from 'containers/Accounts/withAccounts'; import withAccounts from 'containers/Accounts/withAccounts';
import { compose } from 'utils'; import { compose } from 'utils';
import { FormattedMessage as T, FormattedHTMLMessage } from 'react-intl';
function AccountsChart({ function AccountsChart({
@@ -68,16 +67,21 @@ function AccountsChart({
}); });
// Fetch accounts list according to the given custom view id. // Fetch accounts list according to the given custom view id.
const fetchAccountsHook = useQuery(['accounts-table', accountsTableQuery], const fetchAccountsHook = useQuery(
() => requestFetchAccountsTable()); ['accounts-table', accountsTableQuery],
() => requestFetchAccountsTable(),
{ refetchInterval: 3000 }
);
useEffect(() => { useEffect(() => {
changePageTitle('Chart of Accounts'); changePageTitle(formatMessage({ id: 'chart_of_accounts' }));
}, [changePageTitle]); }, [changePageTitle]);
// Handle click and cancel/confirm account delete // Handle click and cancel/confirm account delete
const handleDeleteAccount = (account) => { setDeleteAccount(account); }; const handleDeleteAccount = (account) => {
setDeleteAccount(account);
};
// handle cancel delete account alert. // handle cancel delete account alert.
const handleCancelAccountDelete = useCallback(() => { setDeleteAccount(false); }, []); const handleCancelAccountDelete = useCallback(() => { setDeleteAccount(false); }, []);
@@ -157,13 +161,7 @@ function AccountsChart({
}); });
}); });
const handleEditAccount = (account) => { const handleRestoreAccount = (account) => {};
};
const handleRestoreAccount = (account) => {
};
// Handle accounts bulk delete button click., // Handle accounts bulk delete button click.,
const handleBulkDelete = useCallback((accountsIds) => { const handleBulkDelete = useCallback((accountsIds) => {
@@ -189,17 +187,22 @@ function AccountsChart({
setBulkDelete(false); setBulkDelete(false);
}, []); }, []);
const handleBulkArchive = useCallback((accounts) => { const handleBulkArchive = useCallback((accounts) => {}, []);
const handleEditAccount = useCallback(() => {
}, []); }, []);
// Handle selected rows change. // Handle selected rows change.
const handleSelectedRowsChange = useCallback((accounts) => { const handleSelectedRowsChange = useCallback(
setSelectedRows(accounts); (accounts) => {
}, [setSelectedRows]); setSelectedRows(accounts);
},
[setSelectedRows]
);
// Refetches accounts data table when current custom view changed. // Refetches accounts data table when current custom view changed.
const handleFilterChanged = useCallback(() => { const handleFilterChanged = useCallback(() => {
fetchAccountsHook.refetch(); fetchAccountsHook.refetch();
}, [fetchAccountsHook]); }, [fetchAccountsHook]);
@@ -215,28 +218,32 @@ function AccountsChart({
}, [tableLoading, fetchAccountsHook.isFetching]); }, [tableLoading, fetchAccountsHook.isFetching]);
// Handle fetch data of accounts datatable. // Handle fetch data of accounts datatable.
const handleFetchData = useCallback(({ pageIndex, pageSize, sortBy }) => { const handleFetchData = useCallback(
addAccountsTableQueries({ ({ pageIndex, pageSize, sortBy }) => {
...(sortBy.length > 0) ? { addAccountsTableQueries({
column_sort_by: sortBy[0].id, ...(sortBy.length > 0
sort_order: sortBy[0].desc ? 'desc' : 'asc', ? {
} : {}, column_sort_by: sortBy[0].id,
}); sort_order: sortBy[0].desc ? 'desc' : 'asc',
fetchAccountsHook.refetch(); }
}, [fetchAccountsHook, addAccountsTableQueries]); : {}),
});
fetchAccountsHook.refetch();
},
[fetchAccountsHook, addAccountsTableQueries]
);
// Calculates the data table selected rows count. // Calculates the data table selected rows count.
const selectedRowsCount = useMemo(() => Object.values(selectedRows).length, [selectedRows]); const selectedRowsCount = useMemo(() => Object.values(selectedRows).length, [selectedRows]);
return ( return (
<DashboardInsider <DashboardInsider loading={fetchHook.isFetching} name={'accounts-chart'}>
loading={fetchHook.isFetching}
name={'accounts-chart'}>
<DashboardActionsBar <DashboardActionsBar
selectedRows={selectedRows} selectedRows={selectedRows}
onFilterChanged={handleFilterChanged} onFilterChanged={handleFilterChanged}
onBulkDelete={handleBulkDelete} onBulkDelete={handleBulkDelete}
onBulkArchive={handleBulkArchive} /> onBulkArchive={handleBulkArchive}
/>
<DashboardPageContent> <DashboardPageContent>
<Switch> <Switch>
@@ -245,9 +252,9 @@ function AccountsChart({
path={[ path={[
'/dashboard/accounts/:custom_view_id/custom_view', '/dashboard/accounts/:custom_view_id/custom_view',
'/dashboard/accounts', '/dashboard/accounts',
]}> ]}
<AccountsViewsTabs >
onViewChanged={handleViewChanged} /> <AccountsViewsTabs onViewChanged={handleViewChanged} />
<AccountsDataTable <AccountsDataTable
onDeleteAccount={handleDeleteAccount} onDeleteAccount={handleDeleteAccount}
@@ -257,7 +264,8 @@ function AccountsChart({
onEditAccount={handleEditAccount} onEditAccount={handleEditAccount}
onFetchData={handleFetchData} onFetchData={handleFetchData}
onSelectedRowsChange={handleSelectedRowsChange} onSelectedRowsChange={handleSelectedRowsChange}
loading={tableLoading} /> loading={tableLoading}
/>
</Route> </Route>
</Switch> </Switch>
@@ -268,7 +276,8 @@ function AccountsChart({
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={deleteAccount} isOpen={deleteAccount}
onCancel={handleCancelAccountDelete} onCancel={handleCancelAccountDelete}
onConfirm={handleConfirmAccountDelete}> onConfirm={handleConfirmAccountDelete}
>
<p> <p>
<FormattedHTMLMessage <FormattedHTMLMessage
id={'once_delete_this_account_you_will_able_to_restore_it'} /> id={'once_delete_this_account_you_will_able_to_restore_it'} />
@@ -276,20 +285,21 @@ function AccountsChart({
</Alert> </Alert>
<Alert <Alert
cancelButtonText="Cancel" cancelButtonText={<T id={'cancel'} />}
confirmButtonText="Inactivate" confirmButtonText={<T id={'inactivate'} />}
intent={Intent.WARNING} intent={Intent.WARNING}
isOpen={inactiveAccount} isOpen={inactiveAccount}
onCancel={handleCancelInactiveAccount} onCancel={handleCancelInactiveAccount}
onConfirm={handleConfirmAccountActive}> onConfirm={handleConfirmAccountActive}
>
<p> <p>
<T id={'are_sure_to_inactive_this_account'} /> <T id={'are_sure_to_inactive_this_account'} />
</p> </p>
</Alert> </Alert>
<Alert <Alert
cancelButtonText="Cancel" cancelButtonText={<T id={'cancel'} />}
confirmButtonText="Activate" confirmButtonText={<T id={'activate'} />}
intent={Intent.WARNING} intent={Intent.WARNING}
isOpen={activateAccount} isOpen={activateAccount}
onCancel={handleCancelActivateAccount} onCancel={handleCancelActivateAccount}
@@ -306,7 +316,8 @@ function AccountsChart({
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={bulkDelete} isOpen={bulkDelete}
onCancel={handleCancelBulkDelete} onCancel={handleCancelBulkDelete}
onConfirm={handleConfirmBulkDelete}> onConfirm={handleConfirmBulkDelete}
>
<p> <p>
<T id={'once_delete_these_accounts_you_will_not_able_restore_them'} /> <T id={'once_delete_these_accounts_you_will_not_able_restore_them'} />
</p> </p>
@@ -325,4 +336,4 @@ export default compose(
withAccounts(({ accountsTableQuery }) => ({ withAccounts(({ accountsTableQuery }) => ({
accountsTableQuery, accountsTableQuery,
})), })),
)(AccountsChart); )(AccountsChart);

View File

@@ -9,7 +9,7 @@ import {
Classes, Classes,
Tooltip, Tooltip,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { compose } from 'utils'; import { compose } from 'utils';
@@ -61,13 +61,13 @@ function AccountsDataTable({
const actionMenuList = useCallback((account) => ( const actionMenuList = useCallback((account) => (
<Menu> <Menu>
<MenuItem text='View Details' /> <MenuItem text={<T id={'view_details'}/>} />
<MenuDivider /> <MenuDivider />
<MenuItem <MenuItem
text='Edit Account' text={<T id={'edit_account'}/>}
onClick={handleEditAccount(account)} /> onClick={handleEditAccount(account)} />
<MenuItem <MenuItem
text='New Account' text={<T id={'new_account'}/>}
onClick={() => handleNewParentAccount(account)} /> onClick={() => handleNewParentAccount(account)} />
<MenuDivider /> <MenuDivider />
<If condition={account.active}> <If condition={account.active}>
@@ -81,7 +81,7 @@ function AccountsDataTable({
onClick={() => onActivateAccount(account)} /> onClick={() => onActivateAccount(account)} />
</If> </If>
<MenuItem <MenuItem
text='Delete Account' text={<T id={'delete_account'}/>}
onClick={() => onDeleteAccount(account)} /> onClick={() => onDeleteAccount(account)} />
</Menu> </Menu>
), [handleEditAccount, onDeleteAccount, onInactiveAccount]); ), [handleEditAccount, onDeleteAccount, onInactiveAccount]);
@@ -89,7 +89,7 @@ function AccountsDataTable({
const columns = useMemo(() => [ const columns = useMemo(() => [
{ {
id: 'name', id: 'name',
Header: 'Account Name', Header: formatMessage({id:'account_name'}),
accessor: row => { accessor: row => {
return (row.description) ? return (row.description) ?
(<Tooltip (<Tooltip
@@ -105,21 +105,21 @@ function AccountsDataTable({
}, },
{ {
id: 'code', id: 'code',
Header: 'Code', Header: formatMessage({id:'code'}),
accessor: 'code', accessor: 'code',
className: 'code', className: 'code',
width: 100, width: 100,
}, },
{ {
id: 'type', id: 'type',
Header: 'Type', Header: formatMessage({id:'type'}),
accessor: 'type.name', accessor: 'type.name',
className: 'type', className: 'type',
width: 120, width: 120,
}, },
{ {
id: 'normal', id: 'normal',
Header: 'Normal', Header: formatMessage({id:'normal'}),
Cell: ({ cell }) => { Cell: ({ cell }) => {
const account = cell.row.original; const account = cell.row.original;
const normal = account.type ? account.type.normal : ''; const normal = account.type ? account.type.normal : '';
@@ -140,7 +140,7 @@ function AccountsDataTable({
}, },
{ {
id: 'balance', id: 'balance',
Header: 'Balance', Header: formatMessage({id:'balance'}),
Cell: ({ cell }) => { Cell: ({ cell }) => {
const account = cell.row.original; const account = cell.row.original;
const {balance = null} = account; const {balance = null} = account;

View File

@@ -22,4 +22,4 @@ export default (mapState) => {
}; };
return connect(mapStateToProps); return connect(mapStateToProps);
}; };

View File

@@ -1,7 +1,7 @@
import React, { useCallback, useMemo, useState } from 'react'; import React, { useCallback, useMemo, useState } from 'react';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import ErrorMessage from 'components/ErrorMessage'; import ErrorMessage from 'components/ErrorMessage';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
import { compose } from 'utils'; import { compose } from 'utils';
@@ -15,27 +15,29 @@ import {
Position, Position,
Spinner, Spinner,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { Row, Col } from 'react-grid-system'; import { Row, Col } from 'react-grid-system';
import AuthInsider from 'containers/Authentication/AuthInsider'; import AuthInsider from 'containers/Authentication/AuthInsider';
import { Link, useHistory } from 'react-router-dom'; import { Link, useHistory } from 'react-router-dom';
import useAsync from 'hooks/async'; import useAsync from 'hooks/async';
import { If } from 'components';
function Invite({ requestInviteAccept, requestInviteMetaByToken }) {
function Invite({ const { formatMessage } = useIntl();
requestInviteAccept,
requestInviteMetaByToken,
}) {
const intl = useIntl();
const { token } = useParams(); const { token } = useParams();
const history = useHistory(); const history = useHistory();
const [shown, setShown] = useState(false); const [shown, setShown] = useState(false);
const passwordRevealer = useCallback(() => { setShown(!shown); }, [shown]); const passwordRevealer = useCallback(() => {
setShown(!shown);
}, [shown]);
const ValidationSchema = Yup.object().shape({ const ValidationSchema = Yup.object().shape({
first_name: Yup.string().required(), first_name: Yup.string().required(formatMessage({ id: 'required' })),
last_name: Yup.string().required(), last_name: Yup.string().required(formatMessage({ id: 'required' })),
phone_number: Yup.string().matches().required(), phone_number: Yup.string()
.matches()
.required(formatMessage({ id: 'required' })),
password: Yup.string() password: Yup.string()
.min(4, 'Password has to be longer than 4 characters!') .min(4, 'Password has to be longer than 4 characters!')
.required('Password is required!'), .required('Password is required!'),
@@ -49,11 +51,10 @@ function Invite({
const inviteValue = { const inviteValue = {
organization_name: '', organization_name: '',
invited_email: '', invited_email: '',
...inviteMeta.value ? ...(inviteMeta.value ? inviteMeta.value.data.data : {}),
inviteMeta.value.data.data : {},
}; };
if (inviteErrors.find(e => e.type === 'INVITE.TOKEN.NOT.FOUND')) { if (inviteErrors.find((e) => e.type === 'INVITE.TOKEN.NOT.FOUND')) {
AppToaster.show({ AppToaster.show({
message: 'An unexpected error occurred', message: 'An unexpected error occurred',
intent: Intent.DANGER, intent: Intent.DANGER,
@@ -62,12 +63,15 @@ function Invite({
history.push('/auth/login'); history.push('/auth/login');
} }
const initialValues = useMemo(() => ({ const initialValues = useMemo(
first_name: '', () => ({
last_name: '', first_name: '',
phone_number: '', last_name: '',
password: '', phone_number: '',
}), []); password: '',
}),
[]
);
const { const {
values, values,
@@ -95,15 +99,15 @@ function Invite({
.catch((errors) => { .catch((errors) => {
if (errors.find((e) => e.type === 'INVITE.TOKEN.NOT.FOUND')) { if (errors.find((e) => e.type === 'INVITE.TOKEN.NOT.FOUND')) {
AppToaster.show({ AppToaster.show({
message: 'An unexpected error occurred', message: formatMessage({ id: 'an_unexpected_error_occurred' }),
intent: Intent.DANGER, intent: Intent.DANGER,
position: Position.BOTTOM, position: Position.BOTTOM,
}); });
history.push('/auth/login'); history.push('/auth/login');
} }
if (errors.find(e => e.type === 'PHONE_MUMNER.ALREADY.EXISTS')){ if (errors.find((e) => e.type === 'PHONE_MUMNER.ALREADY.EXISTS')) {
setErrors({ setErrors({
phone_number: 'This phone number is used in another account.' phone_number: 'This phone number is used in another account.',
}); });
} }
setSubmitting(false); setSubmitting(false);
@@ -111,23 +115,40 @@ function Invite({
}, },
}); });
const passwordRevealerTmp = useMemo(() => ( const passwordRevealerTmp = useMemo(
<span class="password-revealer" onClick={() => passwordRevealer()}> () => (
{(shown) ? ( <span class='password-revealer' onClick={() => passwordRevealer()}>
<><Icon icon='eye-slash' /> <span class="text">Hide</span></> <If condition={shown}>
) : ( <>
<><Icon icon='eye' /> <span class="text">Show</span></> <Icon icon='eye-slash' />{' '}
)} <span class='text'>
</span>), [shown, passwordRevealer]); <T id={'hide'} />
</span>
</>
</If>
<If condition={!shown}>
<>
<Icon icon='eye' />{' '}
<span class='text'>
<T id={'show'} />
</span>
</>
</If>
</span>
),
[shown, passwordRevealer]
);
return ( return (
<AuthInsider> <AuthInsider>
<div className={'invite-form'}> <div className={'invite-form'}>
<div className={'authentication-page__label-section'}> <div className={'authentication-page__label-section'}>
<h3>Welcome to Bigcapital</h3> <h3>
<T id={'welcome_to_bigcapital'} />
</h3>
<p> <p>
Enter your personal information <b>{ inviteValue.organization_name }</b>{' '} <T id={'enter_your_personal_information'} />
Organization. <b>{inviteValue.organization_name}</b> Organization.
</p> </p>
</div> </div>
@@ -135,30 +156,37 @@ function Invite({
<Row> <Row>
<Col md={6}> <Col md={6}>
<FormGroup <FormGroup
label={'First Name'} label={<T id={'First Name'} />}
className={'form-group--first_name'} className={'form-group--first_name'}
intent={(errors.first_name && touched.first_name) && Intent.DANGER} intent={
helperText={<ErrorMessage name={'first_name'} {...{errors, touched}} />} errors.first_name && touched.first_name && Intent.DANGER
}
helperText={
<ErrorMessage name={'first_name'} {...{ errors, touched }} />
}
> >
<InputGroup <InputGroup
intent={(errors.first_name && touched.first_name) && intent={
Intent.DANGER errors.first_name && touched.first_name && Intent.DANGER
} }
{...getFieldProps('first_name')} /> {...getFieldProps('first_name')}
/>
</FormGroup> </FormGroup>
</Col> </Col>
<Col md={6}> <Col md={6}>
<FormGroup <FormGroup
label={'Last Name'} label={<T id={'Last Name'} />}
className={'form-group--last_name'} className={'form-group--last_name'}
intent={(errors.last_name && touched.last_name) && intent={errors.last_name && touched.last_name && Intent.DANGER}
Intent.DANGER helperText={
<ErrorMessage name={'last_name'} {...{ errors, touched }} />
} }
helperText={<ErrorMessage name={'last_name'} {...{errors, touched}} />}
> >
<InputGroup <InputGroup
intent={(errors.last_name && touched.last_name) && Intent.DANGER} intent={
errors.last_name && touched.last_name && Intent.DANGER
}
{...getFieldProps('last_name')} {...getFieldProps('last_name')}
/> />
</FormGroup> </FormGroup>
@@ -166,57 +194,73 @@ function Invite({
</Row> </Row>
<FormGroup <FormGroup
label={'Phone Number'} label={<T id={'Phone Number'} />}
className={'form-group--phone_number'} className={'form-group--phone_number'}
intent={(errors.phone_number && touched.phone_number) && Intent.DANGER} intent={
helperText={<ErrorMessage name={'phone_number'} {...{errors, touched}} />} errors.phone_number && touched.phone_number && Intent.DANGER
}
helperText={
<ErrorMessage name={'phone_number'} {...{ errors, touched }} />
}
> >
<InputGroup <InputGroup
intent={(errors.phone_number && touched.phone_number) && Intent.DANGER} intent={
errors.phone_number && touched.phone_number && Intent.DANGER
}
{...getFieldProps('phone_number')} {...getFieldProps('phone_number')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Password'} label={<T id={'password'} />}
labelInfo={passwordRevealerTmp} labelInfo={passwordRevealerTmp}
className={'form-group--password has-password-revealer'} className={'form-group--password has-password-revealer'}
intent={(errors.password && touched.password) && Intent.DANGER} intent={errors.password && touched.password && Intent.DANGER}
helperText={<ErrorMessage name={'password'} {...{errors, touched}} />} helperText={
<ErrorMessage name={'password'} {...{ errors, touched }} />
}
> >
<InputGroup <InputGroup
lang={true} lang={true}
type={shown ? 'text' : 'password'} type={shown ? 'text' : 'password'}
intent={(errors.password && touched.password) && Intent.DANGER} intent={errors.password && touched.password && Intent.DANGER}
{...getFieldProps('password')} {...getFieldProps('password')}
/> />
</FormGroup> </FormGroup>
<div className={'invite-form__statement-section'}> <div className={'invite-form__statement-section'}>
<p> <p>
You email address is <b>{ inviteValue.invited_email },</b> <br /> <T id={'You email address is'} />{' '}
You will use this address to sign in to Bigcapital. <b>{inviteValue.invited_email},</b> <br />
<T id={'you_will_use_this_address_to_sign_in_to_bigcapital'} />
</p> </p>
<p> <p>
By signing in or creating an account, you agree with our <br /> <T id={'signing_in_or_creating'} /> <br />
<Link>Terms & Conditions</Link> and <Link> Privacy Statement</Link> <Link>
<T id={'terms_conditions'} />
</Link>{' '}
<T id={'and'} />
<Link>
{' '}
<T id={'privacy_statement'} />
</Link>
</p> </p>
</div> </div>
<div className={'authentication-page__submit-button-wrap'}> <div className={'authentication-page__submit-button-wrap'}>
<Button <Button
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
type='submit' type='submit'
fill={true} fill={true}
loading={isSubmitting} loading={isSubmitting}
> >
Create Account <T id={'create_account'} />
</Button> </Button>
</div> </div>
</form> </form>
{ inviteMeta.pending && ( {inviteMeta.pending && (
<div class="authentication-page__loading-overlay"> <div class='authentication-page__loading-overlay'>
<Spinner size={40} /> <Spinner size={40} />
</div> </div>
)} )}
@@ -225,6 +269,4 @@ function Invite({
); );
} }
export default compose( export default compose(withAuthenticationActions)(Invite);
withAuthenticationActions,
)(Invite);

View File

@@ -69,7 +69,7 @@ function Login({
const toastBuilders = []; const toastBuilders = [];
if (errors.find((e) => e.type === ERRORS_TYPES.INVALID_DETAILS)) { if (errors.find((e) => e.type === ERRORS_TYPES.INVALID_DETAILS)) {
toastBuilders.push({ toastBuilders.push({
message: formatMessage('email_and_password_entered_did_not_match'), message: formatMessage({id:'email_and_password_entered_did_not_match'}),
intent: Intent.DANGER, intent: Intent.DANGER,
}); });
} }
@@ -102,7 +102,7 @@ function Login({
<div className='login-form'> <div className='login-form'>
<div className={'authentication-page__label-section'}> <div className={'authentication-page__label-section'}>
<h3><T id={'log_in'} /></h3> <h3><T id={'log_in'} /></h3>
<T id={'need_bigcapital_account?'} /> <T id={'need_bigcapital_account'} />
<Link to='/auth/register'> <T id={'create_an_account'} /></Link> <Link to='/auth/register'> <T id={'create_an_account'} /></Link>
</div> </div>

View File

@@ -1,13 +1,14 @@
import React, { useMemo, useState, useCallback } from 'react'; import React, { useMemo, useState, useCallback } from 'react';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { import {
Button, Button,
InputGroup, InputGroup,
Intent, Intent,
FormGroup, FormGroup,
Spinner Spinner,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { Row, Col } from 'react-grid-system'; import { Row, Col } from 'react-grid-system';
import { Link, useHistory } from 'react-router-dom'; import { Link, useHistory } from 'react-router-dom';
@@ -19,35 +20,40 @@ import { compose } from 'utils';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import { If } from 'components'; import { If } from 'components';
function Register({ function Register({ requestRegister }) {
requestRegister, const { formatMessage } = useIntl();
}) {
const intl = useIntl();
const history = useHistory(); const history = useHistory();
const [shown, setShown] = useState(false); const [shown, setShown] = useState(false);
const passwordRevealer = useCallback(() => { setShown(!shown); }, [shown]); const passwordRevealer = useCallback(() => {
setShown(!shown);
}, [shown]);
const ValidationSchema = Yup.object().shape({ const ValidationSchema = Yup.object().shape({
organization_name: Yup.string().required(), organization_name: Yup.string().required(formatMessage({ id: 'required' })),
first_name: Yup.string().required(), first_name: Yup.string().required(formatMessage({ id: 'required' })),
last_name: Yup.string().required(), last_name: Yup.string().required(formatMessage({ id: 'required' })),
email: Yup.string().email().required(), email: Yup.string()
.email()
.required(formatMessage({ id: 'required' })),
phone_number: Yup.string() phone_number: Yup.string()
.matches() .matches()
.required(intl.formatMessage({ id: 'required' })), .required(formatMessage({ id: 'required' })),
password: Yup.string() password: Yup.string()
.min(4, 'Password has to be longer than 8 characters!') .min(4, 'Password has to be longer than 8 characters!')
.required('Password is required!'), .required('Password is required!'),
}); });
const initialValues = useMemo(() => ({ const initialValues = useMemo(
organization_name: '', () => ({
first_name: '', organization_name: '',
last_name: '', first_name: '',
email: '', last_name: '',
phone_number: '', email: '',
password: '', phone_number: '',
}), []); password: '',
}),
[]
);
const { const {
errors, errors,
@@ -62,26 +68,27 @@ function Register({
validationSchema: ValidationSchema, validationSchema: ValidationSchema,
initialValues: { initialValues: {
...initialValues, ...initialValues,
country: 'libya' country: 'libya',
}, },
onSubmit: (values, { setSubmitting, setErrors }) => { onSubmit: (values, { setSubmitting, setErrors }) => {
requestRegister(values) requestRegister(values)
.then((response) => { .then((response) => {
AppToaster.show({ AppToaster.show({
message: 'success', message: formatMessage({ id: 'success' }),
}); });
setSubmitting(false); setSubmitting(false);
history.push('/auth/login'); history.push('/auth/login');
}) })
.catch((errors) => { .catch((errors) => {
if (errors.some(e => e.type === 'PHONE_NUMBER_EXISTS')) { if (errors.some((e) => e.type === 'PHONE_NUMBER_EXISTS')) {
setErrors({ setErrors({
phone_number: 'The phone number is already used in another account.' phone_number:
'The phone number is already used in another account.',
}); });
} }
if (errors.some(e => e.type === 'EMAIL_EXISTS')) { if (errors.some((e) => e.type === 'EMAIL_EXISTS')) {
setErrors({ setErrors({
email: 'The email is already used in another account.' email: 'The email is already used in another account.',
}); });
} }
setSubmitting(false); setSubmitting(false);
@@ -89,34 +96,66 @@ function Register({
}, },
}); });
const passwordRevealerTmp = useMemo(() => ( const passwordRevealerTmp = useMemo(
<span class="password-revealer" onClick={() => passwordRevealer()}> () => (
{(shown) ? ( <span class='password-revealer' onClick={() => passwordRevealer()}>
<><Icon icon='eye-slash' /> <span class="text">Hide</span></> <If condition={shown}>
) : ( <>
<><Icon icon='eye' /> <span class="text">Show</span></> <Icon icon='eye-slash' />{' '}
)} <span class='text'>
</span>), [shown, passwordRevealer]); <T id={'hide'} />
</span>
</>
</If>
<If condition={!shown}>
<>
<Icon icon='eye' />{' '}
<span class='text'>
<T id={'show'} />
</span>
</>
</If>
</span>
),
[shown, passwordRevealer]
);
return ( return (
<AuthInsider> <AuthInsider>
<div className={'register-form'}> <div className={'register-form'}>
<div className={'authentication-page__label-section'}> <div className={'authentication-page__label-section'}>
<h3> <h3>
Register a New <br />Organization. <T id={'register_a_new_organization'} />
</h3> </h3>
You have a bigcapital account ?<Link to='/auth/login'> Login</Link> <T id={'you_have_a_bigcapital_account'} />
<Link to='/auth/login'>
{' '}
<T id={'login'} />
</Link>
</div> </div>
<form onSubmit={handleSubmit} className={'authentication-page__form'}> <form onSubmit={handleSubmit} className={'authentication-page__form'}>
<FormGroup <FormGroup
label={'Organization Name'} label={<T id={'organization_name'} />}
className={'form-group--name'} className={'form-group--name'}
intent={(errors.organization_name && touched.organization_name) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name={'organization_name'} />} errors.organization_name &&
touched.organization_name &&
Intent.DANGER
}
helperText={
<ErrorMessage
{...{ errors, touched }}
name={'organization_name'}
/>
}
> >
<InputGroup <InputGroup
intent={(errors.organization_name && touched.organization_name) && Intent.DANGER} intent={
errors.organization_name &&
touched.organization_name &&
Intent.DANGER
}
{...getFieldProps('organization_name')} {...getFieldProps('organization_name')}
/> />
</FormGroup> </FormGroup>
@@ -124,13 +163,19 @@ function Register({
<Row className={'name-section'}> <Row className={'name-section'}>
<Col md={6}> <Col md={6}>
<FormGroup <FormGroup
label={'First Name'} label={<T id={'first_name'} />}
intent={(errors.first_name && touched.first_name) && Intent.DANGER} intent={
helperText={<ErrorMessage name={'first_name'} {...{errors, touched}} />} errors.first_name && touched.first_name && Intent.DANGER
}
helperText={
<ErrorMessage name={'first_name'} {...{ errors, touched }} />
}
className={'form-group--first-name'} className={'form-group--first-name'}
> >
<InputGroup <InputGroup
intent={(errors.first_name && touched.first_name) && Intent.DANGER} intent={
errors.first_name && touched.first_name && Intent.DANGER
}
{...getFieldProps('first_name')} {...getFieldProps('first_name')}
/> />
</FormGroup> </FormGroup>
@@ -138,65 +183,83 @@ function Register({
<Col md={6}> <Col md={6}>
<FormGroup <FormGroup
label={'Last Name'} label={<T id={'last_name'} />}
intent={(errors.last_name && touched.last_name) && Intent.DANGER} intent={errors.last_name && touched.last_name && Intent.DANGER}
helperText={<ErrorMessage name={'last_name'} {...{errors, touched}} />} helperText={
<ErrorMessage name={'last_name'} {...{ errors, touched }} />
}
className={'form-group--last-name'} className={'form-group--last-name'}
> >
<InputGroup <InputGroup
intent={(errors.last_name && touched.last_name) && Intent.DANGER} intent={
errors.last_name && touched.last_name && Intent.DANGER
}
{...getFieldProps('last_name')} {...getFieldProps('last_name')}
/> />
</FormGroup> </FormGroup>
</Col> </Col>
</Row> </Row>
<FormGroup <FormGroup
label={'Phone Number'} label={<T id={'phone_number'} />}
intent={(errors.phone_number && touched.phone_number) && Intent.DANGER} intent={
helperText={<ErrorMessage name={'phone_number'} {...{errors, touched}} />} errors.phone_number && touched.phone_number && Intent.DANGER
}
helperText={
<ErrorMessage name={'phone_number'} {...{ errors, touched }} />
}
className={'form-group--phone-number'} className={'form-group--phone-number'}
> >
<InputGroup <InputGroup
intent={ intent={
(errors.phone_number && touched.phone_number) && errors.phone_number && touched.phone_number && Intent.DANGER
Intent.DANGER
} }
{...getFieldProps('phone_number')} {...getFieldProps('phone_number')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Email'} label={<T id={'email'} />}
intent={(errors.email && touched.email) && Intent.DANGER} intent={errors.email && touched.email && Intent.DANGER}
helperText={<ErrorMessage name={'email'} {...{errors, touched}} />} helperText={
<ErrorMessage name={'email'} {...{ errors, touched }} />
}
className={'form-group--email'} className={'form-group--email'}
> >
<InputGroup <InputGroup
intent={(errors.email && touched.email) && Intent.DANGER} intent={errors.email && touched.email && Intent.DANGER}
{...getFieldProps('email')} {...getFieldProps('email')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Password'} label={<T id={'password'} />}
labelInfo={passwordRevealerTmp} labelInfo={passwordRevealerTmp}
intent={(errors.password && touched.password) && Intent.DANGER} intent={errors.password && touched.password && Intent.DANGER}
helperText={<ErrorMessage name={'password'} {...{errors, touched}} />} helperText={
<ErrorMessage name={'password'} {...{ errors, touched }} />
}
className={'form-group--password has-password-revealer'} className={'form-group--password has-password-revealer'}
> >
<InputGroup <InputGroup
lang={true} lang={true}
type={shown ? 'text' : 'password'} type={shown ? 'text' : 'password'}
intent={(errors.password && touched.password) && Intent.DANGER} intent={errors.password && touched.password && Intent.DANGER}
{...getFieldProps('password')} {...getFieldProps('password')}
/> />
</FormGroup> </FormGroup>
<div className={'register-form__agreement-section'}> <div className={'register-form__agreement-section'}>
<p> <p>
By signing in or creating an account, you agree with our <br /> <T id={'signing_in_or_creating'} /> <br />
<Link>Terms & Conditions</Link> and <Link> Privacy Statement</Link> <Link>
<T id={'terms_conditions'} />
</Link>{' '}
<T id={'and'} />
<Link>
{' '}
<T id={'privacy_statement'} />
</Link>
</p> </p>
</div> </div>
@@ -208,13 +271,13 @@ function Register({
fill={true} fill={true}
loading={isSubmitting} loading={isSubmitting}
> >
Register <T id={'register'} />
</Button> </Button>
</div> </div>
</form> </form>
<If condition={isSubmitting}> <If condition={isSubmitting}>
<div class="authentication-page__loading-overlay"> <div class='authentication-page__loading-overlay'>
<Spinner size={50} /> <Spinner size={50} />
</div> </div>
</If> </If>
@@ -223,6 +286,4 @@ function Register({
); );
} }
export default compose( export default compose(withAuthenticationActions)(Register);
withAuthenticationActions,
)(Register);

View File

@@ -1,7 +1,7 @@
import React, { useEffect, useMemo } from 'react'; import React, { useEffect, useMemo } from 'react';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { useIntl } from 'react-intl';
import { import {
Button, Button,
InputGroup, InputGroup,
@@ -15,12 +15,10 @@ import AppToaster from 'components/AppToaster';
import { compose } from 'utils'; import { compose } from 'utils';
import withAuthenticationActions from './withAuthenticationActions'; import withAuthenticationActions from './withAuthenticationActions';
import AuthInsider from 'containers/Authentication/AuthInsider'; import AuthInsider from 'containers/Authentication/AuthInsider';
import { FormattedMessage as T, useIntl } from 'react-intl';
function ResetPassword({ requestResetPassword }) {
function ResetPassword({ const { formatMessage } = useIntl();
requestResetPassword,
}) {
const intl = useIntl();
const { token } = useParams(); const { token } = useParams();
const history = useHistory(); const history = useHistory();
@@ -33,10 +31,13 @@ function ResetPassword({
.required('Confirm Password is required'), .required('Confirm Password is required'),
}); });
const initialValues = useMemo(() => ({ const initialValues = useMemo(
password: '', () => ({
confirm_password: '', password: '',
}), []); confirm_password: '',
}),
[]
);
const { const {
touched, touched,
@@ -56,7 +57,7 @@ function ResetPassword({
requestResetPassword(values, token) requestResetPassword(values, token)
.then((response) => { .then((response) => {
AppToaster.show({ AppToaster.show({
message: 'The password for your account was successfully updated.', message: formatMessage('password_successfully_updated'),
intent: Intent.DANGER, intent: Intent.DANGER,
position: Position.BOTTOM, position: Position.BOTTOM,
}); });
@@ -64,9 +65,9 @@ function ResetPassword({
setSubmitting(false); setSubmitting(false);
}) })
.catch((errors) => { .catch((errors) => {
if (errors.find(e => e.type === 'TOKEN_INVALID')) { if (errors.find((e) => e.type === 'TOKEN_INVALID')) {
AppToaster.show({ AppToaster.show({
message: 'An unexpected error occurred', message: formatMessage('an_unexpected_error_occurred'),
intent: Intent.DANGER, intent: Intent.DANGER,
position: Position.BOTTOM, position: Position.BOTTOM,
}); });
@@ -79,17 +80,24 @@ function ResetPassword({
return ( return (
<AuthInsider> <AuthInsider>
<div className={'submit-np-form'}> <div className={'submit-np-form'}>
<div className={'authentication-page__label-section'}> <div className={'authentication-page__label-section'}>
<h3>Choose a new password</h3> <h3>
You remembered your password ? <Link to='/auth/login'>Login</Link> <T id={'choose_a_new_password'} />
</h3>
<T id={'you_remembered_your_password'} />{' '}
<Link to='/auth/login'>
<T id={'login'} />
</Link>
</div> </div>
<form onSubmit={handleSubmit}> <form onSubmit={handleSubmit}>
<FormGroup <FormGroup
label={'Password'} label={<T id={'password'} />}
intent={(errors.password && touched.password) && Intent.DANGER} intent={errors.password && touched.password && Intent.DANGER}
helperText={<ErrorMessage name={'password'} {...{errors, touched}} />} helperText={
<ErrorMessage name={'password'} {...{ errors, touched }} />
}
className={'form-group--password'} className={'form-group--password'}
> >
<InputGroup <InputGroup
@@ -99,18 +107,31 @@ function ResetPassword({
{...getFieldProps('password')} {...getFieldProps('password')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'New Password'} label={<T id={'new_password'} />}
labelInfo={'(again):'} labelInfo={'(again):'}
intent={(errors.confirm_password && touched.confirm_password) && Intent.DANGER} intent={
helperText={<ErrorMessage name={'confirm_password'} {...{errors, touched}} />} errors.confirm_password &&
touched.confirm_password &&
Intent.DANGER
}
helperText={
<ErrorMessage
name={'confirm_password'}
{...{ errors, touched }}
/>
}
className={'form-group--confirm-password'} className={'form-group--confirm-password'}
> >
<InputGroup <InputGroup
lang={true} lang={true}
type={'password'} type={'password'}
intent={(errors.confirm_password && touched.confirm_password) && Intent.DANGER} intent={
errors.confirm_password &&
touched.confirm_password &&
Intent.DANGER
}
{...getFieldProps('confirm_password')} {...getFieldProps('confirm_password')}
/> />
</FormGroup> </FormGroup>
@@ -121,8 +142,9 @@ function ResetPassword({
className={'btn-new'} className={'btn-new'}
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
type='submit' type='submit'
loading={isSubmitting}> loading={isSubmitting}
Submit new password >
<T id={'submit_new_password'} />
</Button> </Button>
</div> </div>
</form> </form>
@@ -131,6 +153,4 @@ function ResetPassword({
); );
} }
export default compose( export default compose(withAuthenticationActions)(ResetPassword);
withAuthenticationActions,
)(ResetPassword);

View File

@@ -1,7 +1,7 @@
import React, { useMemo } from 'react'; import React, { useMemo } from 'react';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { Link, useHistory } from 'react-router-dom'; import { Link, useHistory } from 'react-router-dom';
import { Button, InputGroup, Intent, FormGroup } from '@blueprintjs/core'; import { Button, InputGroup, Intent, FormGroup } from '@blueprintjs/core';
import { FormattedMessage } from 'react-intl'; import { FormattedMessage } from 'react-intl';
@@ -15,23 +15,23 @@ import AuthInsider from 'containers/Authentication/AuthInsider';
import withAuthenticationActions from './withAuthenticationActions'; import withAuthenticationActions from './withAuthenticationActions';
function SendResetPassword({ requestSendResetPassword }) {
function SendResetPassword({ const { formatMessage } = useIntl();
requestSendResetPassword,
}) {
const intl = useIntl();
const history = useHistory(); const history = useHistory();
// Validation schema. // Validation schema.
const ValidationSchema = Yup.object().shape({ const ValidationSchema = Yup.object().shape({
crediential: Yup.string('') crediential: Yup.string('')
.required(intl.formatMessage({ id: 'required' })) .required(formatMessage({ id: 'required' }))
.email(intl.formatMessage({ id: 'invalid_email_or_phone_numner' })), .email(formatMessage({ id: 'invalid_email_or_phone_numner' })),
}); });
const initialValues = useMemo(() => ({ const initialValues = useMemo(
crediential: '', () => ({
}), []); crediential: '',
}),
[]
);
// Formik validation // Formik validation
const { const {
@@ -60,9 +60,9 @@ function SendResetPassword({
setSubmitting(false); setSubmitting(false);
}) })
.catch((errors) => { .catch((errors) => {
if (errors.find(e => e.type === 'EMAIL.NOT.REGISTERED')){ if (errors.find((e) => e.type === 'EMAIL.NOT.REGISTERED')) {
AppToaster.show({ AppToaster.show({
message: 'We couldn\'t find your account with that email', message: "We couldn't find your account with that email",
intent: Intent.DANGER, intent: Intent.DANGER,
}); });
} }
@@ -73,21 +73,29 @@ function SendResetPassword({
return ( return (
<AuthInsider> <AuthInsider>
<div class='reset-form'> <div class='reset-form'>
<div className={'authentication-page__label-section'}> <div className={'authentication-page__label-section'}>
<h3>Reset Your Password</h3> <h3>
<p>Enter your email address and well send you a link to reset your password.</p> <T id={'reset_your_password'} />
</h3>
<p>
<T id={'we_ll_send_you_a_link_to_reset_your_password'} />
</p>
</div> </div>
<form onSubmit={handleSubmit} className={'send-reset-password'}> <form onSubmit={handleSubmit} className={'send-reset-password'}>
<FormGroup <FormGroup
label={'Email or Phone Number'} label={'Email or Phone Number'}
intent={(errors.crediential && touched.crediential) && Intent.DANGER} intent={errors.crediential && touched.crediential && Intent.DANGER}
helperText={<ErrorMessage name={'crediential'} {...{errors, touched}} />} helperText={
<ErrorMessage name={'crediential'} {...{ errors, touched }} />
}
className={'form-group--crediential'} className={'form-group--crediential'}
> >
<InputGroup <InputGroup
intent={(errors.crediential && touched.crediential) && Intent.DANGER} intent={
errors.crediential && touched.crediential && Intent.DANGER
}
large={true} large={true}
{...getFieldProps('crediential')} {...getFieldProps('crediential')}
/> />
@@ -100,14 +108,14 @@ function SendResetPassword({
fill={true} fill={true}
loading={isSubmitting} loading={isSubmitting}
> >
{intl.formatMessage({ id: 'Send password reset link' })} <T id={'send_password_reset_link'} />
</Button> </Button>
</div> </div>
</form> </form>
<div class='authentication-page__footer-links'> <div class='authentication-page__footer-links'>
<Link to='/auth/login'> <Link to='/auth/login'>
<FormattedMessage id='Return to log in' /> <T id={'return_to_log_in'} />
</Link> </Link>
</div> </div>
</div> </div>
@@ -115,6 +123,4 @@ function SendResetPassword({
); );
} }
export default compose( export default compose(withAuthenticationActions)(SendResetPassword);
withAuthenticationActions,
)(SendResetPassword);

View File

@@ -8,12 +8,13 @@ import {
TextArea, TextArea,
MenuItem, MenuItem,
Checkbox, Checkbox,
Position Position,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { Select } from '@blueprintjs/select'; import { Select } from '@blueprintjs/select';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { omit } from 'lodash'; import { omit } from 'lodash';
import { useQuery, queryCache } from 'react-query'; import { useQuery, queryCache } from 'react-query';
@@ -27,7 +28,6 @@ import Icon from 'components/Icon';
import ErrorMessage from 'components/ErrorMessage'; import ErrorMessage from 'components/ErrorMessage';
import { fetchAccountTypes } from 'store/accounts/accounts.actions'; import { fetchAccountTypes } from 'store/accounts/accounts.actions';
function AccountFormDialog({ function AccountFormDialog({
name, name,
payload, payload,
@@ -60,22 +60,26 @@ function AccountFormDialog({
description: Yup.string().trim() description: Yup.string().trim()
}); });
const initialValues = useMemo(() => ({ const initialValues = useMemo(
account_type_id: null, () => ({
name: '', account_type_id: null,
description: '', name: '',
}), []); description: '',
}),
[]
);
const [selectedAccountType, setSelectedAccountType] = useState(null); const [selectedAccountType, setSelectedAccountType] = useState(null);
const [selectedSubaccount, setSelectedSubaccount] = useState( const [selectedSubaccount, setSelectedSubaccount] = useState(
payload.action === 'new_child' ? payload.action === 'new_child'
accounts.find(a => a.id === payload.id) : null, ? accounts.find((a) => a.id === payload.id)
: null
); );
const transformApiErrors = (errors) => { const transformApiErrors = (errors) => {
const fields = {}; const fields = {};
if (errors.find(e => e.type === 'NOT_UNIQUE_CODE')) { if (errors.find((e) => e.type === 'NOT_UNIQUE_CODE')) {
fields.code = 'Account code is not unqiue.' fields.code = 'Account code is not unqiue.';
} }
return fields; return fields;
}; };
@@ -84,7 +88,7 @@ function AccountFormDialog({
const formik = useFormik({ const formik = useFormik({
enableReinitialize: true, enableReinitialize: true,
initialValues: { initialValues: {
...(payload.action === 'edit' && account) ? account : initialValues, ...(payload.action === 'edit' && account ? account : initialValues),
}, },
validationSchema: accountFormValidationSchema, validationSchema: accountFormValidationSchema,
onSubmit: (values, { setSubmitting, setErrors }) => { onSubmit: (values, { setSubmitting, setErrors }) => {
@@ -106,11 +110,6 @@ function AccountFormDialog({
}), }),
intent: Intent.SUCCESS, intent: Intent.SUCCESS,
}); });
setSubmitting(false);
queryCache.refetchQueries('accounts-table', { force: true });
}).catch((errors) => {
setSubmitting(false);
setErrors(transformApiErrors(errors));
}); });
} else { } else {
requestSubmitAccount({ form: { ...omit(values, exclude) } }).then((response) => { requestSubmitAccount({ form: { ...omit(values, exclude) } }).then((response) => {
@@ -125,22 +124,18 @@ function AccountFormDialog({
intent: Intent.SUCCESS, intent: Intent.SUCCESS,
position: Position.BOTTOM, position: Position.BOTTOM,
}); });
setSubmitting(false);
queryCache.refetchQueries('accounts-table', { force: true });
}).catch((errors) => {
setSubmitting(false);
setErrors(transformApiErrors(errors));
}); });
} }
} },
}); });
const { errors, values, touched } = useMemo(() => (formik), [formik]); const { errors, values, touched } = useMemo(() => formik, [formik]);
// Set default account type. // Set default account type.
useEffect(() => { useEffect(() => {
if (account && account.account_type_id) { if (account && account.account_type_id) {
const defaultType = accountsTypes.find((t) => const defaultType = accountsTypes.find(
t.id === account.account_type_id); (t) => t.id === account.account_type_id
);
defaultType && setSelectedAccountType(defaultType); defaultType && setSelectedAccountType(defaultType);
} }
@@ -166,44 +161,64 @@ function AccountFormDialog({
// Account item of select accounts field. // Account item of select accounts field.
const accountItem = (item, { handleClick, modifiers, query }) => { const accountItem = (item, { handleClick, modifiers, query }) => {
return ( return (
<MenuItem text={item.name} label={item.code} key={item.id} onClick={handleClick} /> <MenuItem
text={item.name}
label={item.code}
key={item.id}
onClick={handleClick}
/>
); );
}; };
// Filters accounts items. // Filters accounts items.
const filterAccountsPredicater = useCallback((query, account, _index, exactMatch) => { const filterAccountsPredicater = useCallback(
const normalizedTitle = account.name.toLowerCase(); (query, account, _index, exactMatch) => {
const normalizedQuery = query.toLowerCase(); const normalizedTitle = account.name.toLowerCase();
const normalizedQuery = query.toLowerCase();
if (exactMatch) { if (exactMatch) {
return normalizedTitle === normalizedQuery; return normalizedTitle === normalizedQuery;
} else { } else {
return `${account.code} ${normalizedTitle}`.indexOf(normalizedQuery) >= 0; return (
} `${account.code} ${normalizedTitle}`.indexOf(normalizedQuery) >= 0
}, []); );
}
},
[]
);
// Handles dialog close. // Handles dialog close.
const handleClose = useCallback(() => { closeDialog(name); }, [closeDialog, name]); const handleClose = useCallback(() => {
closeDialog(name);
}, [closeDialog, name]);
// Fetches accounts list. // Fetches accounts list.
const fetchAccountsList = useQuery('accounts-list', const fetchAccountsList = useQuery(
() => requestFetchAccounts(), { manual: true }); 'accounts-list',
() => requestFetchAccounts(),
{ manual: true }
);
// Fetches accounts types. // Fetches accounts types.
const fetchAccountsTypes = useQuery('accounts-types-list', async () => { const fetchAccountsTypes = useQuery(
await requestFetchAccountTypes(); 'accounts-types-list',
}, { manual: true }); async () => {
await requestFetchAccountTypes();
},
{ manual: true }
);
// Fetch the given account id on edit mode. // Fetch the given account id on edit mode.
const fetchAccount = useQuery( const fetchAccount = useQuery(
payload.action === 'edit' && ['account', payload.id], payload.action === 'edit' && ['account', payload.id],
(key, id) => requestFetchAccount(id), (key, id) => requestFetchAccount(id),
{ manual: true }); { manual: true }
);
const isFetching = ( const isFetching =
fetchAccountsList.isFetching || fetchAccountsList.isFetching ||
fetchAccountTypes.isFetching || fetchAccountTypes.isFetching ||
fetchAccount.isFetching); fetchAccount.isFetching;
// Fetch requests on dialog opening. // Fetch requests on dialog opening.
const onDialogOpening = useCallback(() => { const onDialogOpening = useCallback(() => {
@@ -212,16 +227,22 @@ function AccountFormDialog({
fetchAccount.refetch(); fetchAccount.refetch();
}, []); }, []);
const onChangeAccountType = useCallback((accountType) => { const onChangeAccountType = useCallback(
setSelectedAccountType(accountType); (accountType) => {
formik.setFieldValue('account_type_id', accountType.id); setSelectedAccountType(accountType);
}, [setSelectedAccountType, formik]); formik.setFieldValue('account_type_id', accountType.id);
},
[setSelectedAccountType, formik]
);
// Handles change sub-account. // Handles change sub-account.
const onChangeSubaccount = useCallback((account) => { const onChangeSubaccount = useCallback(
setSelectedSubaccount(account); (account) => {
formik.setFieldValue('parent_account_id', account.id); setSelectedSubaccount(account);
}, [setSelectedSubaccount, formik]); formik.setFieldValue('parent_account_id', account.id);
},
[setSelectedSubaccount, formik]
);
const onDialogClosed = useCallback(() => { const onDialogClosed = useCallback(() => {
formik.resetForm(); formik.resetForm();
@@ -229,21 +250,25 @@ function AccountFormDialog({
setSelectedAccountType(null); setSelectedAccountType(null);
}, [formik]); }, [formik]);
const infoIcon = useMemo(() => (<Icon icon="info-circle" iconSize={12} />), []); const infoIcon = useMemo(() => <Icon icon='info-circle' iconSize={12} />, []);
const subAccountLabel = useMemo(() => { const subAccountLabel = useMemo(() => {
return (<span>{'Sub account?'} <Icon icon="info-circle" iconSize={12} /></span>); return (
<span>
<T id={'sub_account'}/> <Icon icon='info-circle' iconSize={12} />
</span>
);
}, []); }, []);
const requiredSpan = useMemo(() => (<span class="required">*</span>), []); const requiredSpan = useMemo(() => <span class='required'>*</span>, []);
return ( return (
<Dialog <Dialog
name={name} name={name}
title={payload.action === 'edit' ? 'Edit Account' : 'New Account'} title={payload.action === 'edit' ? <T id={'edit_account'}/> : <T id={'new_account'}/>}
className={{ className={{
'dialog--loading': isFetching, 'dialog--loading': isFetching,
'dialog--account-form': true 'dialog--account-form': true,
}} }}
autoFocus={true} autoFocus={true}
canEscapeKeyClose={true} canEscapeKeyClose={true}
@@ -256,15 +281,18 @@ function AccountFormDialog({
<form onSubmit={formik.handleSubmit}> <form onSubmit={formik.handleSubmit}>
<div className={Classes.DIALOG_BODY}> <div className={Classes.DIALOG_BODY}>
<FormGroup <FormGroup
label={'Account Type'} label={<T id={'account_type'}/>}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={classNames( className={classNames(
'form-group--account-type', 'form-group--account-type',
'form-group--select-list', 'form-group--select-list',
Classes.FILL)} Classes.FILL
)}
inline={true} inline={true}
helperText={<ErrorMessage name="account_type_id" {...formik} />} helperText={<ErrorMessage name='account_type_id' {...formik} />}
intent={(errors.account_type_id && touched.account_type_id) && Intent.DANGER} intent={
errors.account_type_id && touched.account_type_id && Intent.DANGER
}
> >
<Select <Select
items={accountsTypes} items={accountsTypes}
@@ -275,40 +303,38 @@ function AccountFormDialog({
onItemSelect={onChangeAccountType} onItemSelect={onChangeAccountType}
> >
<Button <Button
rightIcon='caret-down' text={selectedAccountType ? selectedAccountType.name : <T id={'select_account_type'} />}
text={selectedAccountType ?
selectedAccountType.name : 'Select account type'}
disabled={payload.action === 'edit'} disabled={payload.action === 'edit'}
/> />
</Select> </Select>
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Account Name'} label={<T id={'account_name'}/>}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={'form-group--account-name'} className={'form-group--account-name'}
intent={(errors.name && touched.name) && Intent.DANGER} intent={errors.name && touched.name && Intent.DANGER}
helperText={<ErrorMessage name="name" {...formik} />} helperText={<ErrorMessage name='name' {...formik} />}
inline={true} inline={true}
> >
<InputGroup <InputGroup
medium={true} medium={true}
intent={(errors.name && touched.name) && Intent.DANGER} intent={errors.name && touched.name && Intent.DANGER}
{...formik.getFieldProps('name')} {...formik.getFieldProps('name')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Account Code'} label={<T id={'account_code'}/>}
className={'form-group--account-code'} className={'form-group--account-code'}
intent={(errors.code && touched.code) && Intent.DANGER} intent={errors.code && touched.code && Intent.DANGER}
helperText={<ErrorMessage name="code" {...formik} />} helperText={<ErrorMessage name='code' {...formik} />}
inline={true} inline={true}
labelInfo={infoIcon} labelInfo={infoIcon}
> >
<InputGroup <InputGroup
medium={true} medium={true}
intent={(errors.code && touched.code) && Intent.DANGER} intent={errors.code && touched.code && Intent.DANGER}
{...formik.getFieldProps('code')} {...formik.getFieldProps('code')}
/> />
</FormGroup> </FormGroup>
@@ -327,11 +353,12 @@ function AccountFormDialog({
{values.subaccount && ( {values.subaccount && (
<FormGroup <FormGroup
label={'Parent Account'} label={<T id={'parent_account'}/>}
className={classNames( className={classNames(
'form-group--parent-account', 'form-group--parent-account',
'form-group--select-list', 'form-group--select-list',
Classes.FILL)} Classes.FILL
)}
inline={true} inline={true}
> >
<Select <Select
@@ -346,7 +373,9 @@ function AccountFormDialog({
<Button <Button
rightIcon='caret-down' rightIcon='caret-down'
text={ text={
selectedSubaccount ? selectedSubaccount.name : 'Select Parent Account' selectedSubaccount
? selectedSubaccount.name
: 'Select Parent Account'
} }
/> />
</Select> </Select>
@@ -354,7 +383,7 @@ function AccountFormDialog({
)} )}
<FormGroup <FormGroup
label={'Description'} label={<T id={'description'}/>}
className={'form-group--description'} className={'form-group--description'}
intent={formik.errors.description && Intent.DANGER} intent={formik.errors.description && Intent.DANGER}
helperText={formik.errors.description && formik.errors.credential} helperText={formik.errors.description && formik.errors.credential}
@@ -370,9 +399,13 @@ function AccountFormDialog({
<div className={Classes.DIALOG_FOOTER}> <div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}> <div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}><T id={'close'}/></Button>
<Button intent={Intent.PRIMARY} disabled={formik.isSubmitting} type='submit'> <Button
{payload.action === 'edit' ? 'Edit' : 'Submit'} intent={Intent.PRIMARY}
disabled={formik.isSubmitting}
type='submit'
>
{payload.action === 'edit' ? <T id={'edit'}/> : <T id={'submit'}/>}
</Button> </Button>
</div> </div>
</div> </div>
@@ -381,6 +414,4 @@ function AccountFormDialog({
); );
} }
export default AccountFormDialogContainer( export default AccountFormDialogContainer(AccountFormDialog);
AccountFormDialog,
);

View File

@@ -7,7 +7,7 @@ import {
Intent, Intent,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { useQuery } from 'react-query'; import { useQuery } from 'react-query';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
@@ -44,15 +44,15 @@ function CurrencyDialog({
requestSubmitCurrencies, requestSubmitCurrencies,
requestEditCurrency, requestEditCurrency,
}) { }) {
const intl = useIntl(); const {formatMessage} = useIntl();
const ValidationSchema = Yup.object().shape({ const ValidationSchema = Yup.object().shape({
currency_name: Yup.string().required( currency_name: Yup.string().required(
intl.formatMessage({ id: 'required' }) formatMessage({ id: 'required' })
), ),
currency_code: Yup.string() currency_code: Yup.string()
.max(4) .max(4)
.required(intl.formatMessage({ id: 'required' })), .required(formatMessage({ id: 'required' })),
}); });
const initialValues = useMemo(() => ({ const initialValues = useMemo(() => ({
currency_name: '', currency_name: '',
@@ -126,7 +126,7 @@ function CurrencyDialog({
return ( return (
<Dialog <Dialog
name={name} name={name}
title={payload.action === 'edit' ? 'Edit Currency' : ' New Currency'} title={payload.action === 'edit' ? <T id={'edit_currency'}/> : <T id={'new_currency'}/>}
className={classNames( className={classNames(
{ {
'dialog--loading': fetchCurrencies.isFetching, 'dialog--loading': fetchCurrencies.isFetching,
@@ -142,7 +142,7 @@ function CurrencyDialog({
<form onSubmit={handleSubmit}> <form onSubmit={handleSubmit}>
<div className={Classes.DIALOG_BODY}> <div className={Classes.DIALOG_BODY}>
<FormGroup <FormGroup
label={'Currency Name'} label={<T id={'currency_name'}/>}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={'form-group--currency-name'} className={'form-group--currency-name'}
intent={(errors.currency_name && touched.currency_name) && Intent.DANGER} intent={(errors.currency_name && touched.currency_name) && Intent.DANGER}
@@ -157,7 +157,7 @@ function CurrencyDialog({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Currency Code'} label={<T id={'currency_code'}/>}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={'form-group--currency-code'} className={'form-group--currency-code'}
intent={(errors.currency_code && touched.currency_code) && Intent.DANGER} intent={(errors.currency_code && touched.currency_code) && Intent.DANGER}
@@ -174,9 +174,9 @@ function CurrencyDialog({
<div className={Classes.DIALOG_FOOTER}> <div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}> <div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}><T id={'cancel'} /></Button>
<Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}> <Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}>
{payload.action === 'edit' ? 'Edit' : 'Submit'} {payload.action === 'edit' ? <T id={'edit'} /> : <T id={'submit'} /> }
</Button> </Button>
</div> </div>
</div> </div>

View File

@@ -0,0 +1,35 @@
import { connect } from 'react-redux';
import { compose } from 'utils';
import { getDialogPayload } from 'store/dashboard/dashboard.reducer';
import DialogConnect from 'connectors/Dialog.connector';
import DialogReduxConnect from 'components/DialogReduxConnect';
import withExchangeRatesActions from 'containers/ExchangeRates/withExchangeRatesActions';
import withExchangeRates from 'containers/ExchangeRates/withExchangeRates';
import withCurrencies from 'containers/Currencies/withCurrencies';
const mapStateToProps = (state, props) => {
const dialogPayload = getDialogPayload(state, 'exchangeRate-form');
return {
name: 'exchangeRate-form',
payload: { action: 'new', id: null, ...dialogPayload },
};
};
const withExchangeRateDialog = connect(mapStateToProps);
export default compose(
withExchangeRateDialog,
withCurrencies(({ currenciesList }) => ({
currenciesList,
})),
withExchangeRatesActions,
withExchangeRates(({ exchangeRatesList }) => ({
exchangeRatesList,
})),
DialogReduxConnect,
DialogConnect,
);

View File

@@ -0,0 +1,267 @@
import React, { useState, useMemo, useCallback, useEffect } from 'react';
import {
Button,
Classes,
FormGroup,
InputGroup,
Intent,
Position,
MenuItem,
} from '@blueprintjs/core';
import { pick } from 'lodash';
import * as Yup from 'yup';
import { FormattedMessage as T, useIntl } from 'react-intl';
import { useFormik } from 'formik';
import Dialog from 'components/Dialog';
import AppToaster from 'components/AppToaster';
import { useQuery, queryCache } from 'react-query';
import ErrorMessage from 'components/ErrorMessage';
import classNames from 'classnames';
import { Select } from '@blueprintjs/select';
import moment from 'moment';
import { DateInput } from '@blueprintjs/datetime';
import { momentFormatter } from 'utils';
import withExchangeRatesDialog from './ExchangeRateDialog.container';
function ExchangeRateDialog({
name,
payload,
isOpen,
// #withDialog
closeDialog,
// #withCurrencies
currenciesList,
// #withExchangeRatesActions
requestSubmitExchangeRate,
requestFetchExchangeRates,
requestEditExchangeRate,
requestFetchCurrencies,
editExchangeRate,
}) {
const { formatMessage } = useIntl();
const [selectedItems, setSelectedItems] = useState({});
const validationSchema = Yup.object().shape({
exchange_rate: Yup.number().required(),
currency_code: Yup.string().max(3).required(),
date: Yup.date().required(),
});
const initialValues = useMemo(() => ({
exchange_rate: '',
currency_code: '',
date: moment(new Date()).format('YYYY-MM-DD'),
}), []);
const {
values,
touched,
errors,
isSubmitting,
handleSubmit,
getFieldProps,
setFieldValue,
resetForm,
} = useFormik({
enableReinitialize: true,
validationSchema,
initialValues: {
...(payload.action === 'edit' &&
pick(editExchangeRate, Object.keys(initialValues))),
},
onSubmit: (values, { setSubmitting }) => {
if (payload.action === 'edit') {
requestEditExchangeRate(payload.id, values)
.then((response) => {
closeDialog(name);
AppToaster.show({
message: 'the_exchange_rate_has_been_edited',
});
setSubmitting(false);
})
.catch((error) => {
setSubmitting(false);
});
} else {
requestSubmitExchangeRate(values)
.then((response) => {
closeDialog(name);
AppToaster.show({
message: 'the_exchangeRate_has_been_submit',
});
setSubmitting(false);
})
.catch((error) => {
setSubmitting(false);
});
}
},
});
const requiredSpan = useMemo(() => <span class='required'>*</span>, []);
const handleClose = useCallback(() => {
closeDialog(name);
}, [name, closeDialog]);
const fetchExchangeRatesDialog = useQuery('exchange-rates-dialog',
() => requestFetchExchangeRates());
const onDialogClosed = useCallback(() => {
resetForm();
closeDialog(name);
}, [closeDialog, name]);
const onDialogOpening = useCallback(() => {
fetchExchangeRatesDialog.refetch();
}, [fetchExchangeRatesDialog]);
const handleDateChange = useCallback(
(date) => {
const formatted = moment(date).format('YYYY-MM-DD');
setFieldValue('date', formatted);
},
[setFieldValue]
);
const onItemsSelect = useCallback(
(filedName) => {
return (filed) => {
setSelectedItems({
...selectedItems,
[filedName]: filed,
});
setFieldValue(filedName, filed.currency_code);
};
},
[setFieldValue, selectedItems]
);
const filterCurrencyCode = (query, currency_code, _index, exactMatch) => {
const normalizedTitle = currency_code.currency_code.toLowerCase();
const normalizedQuery = query.toLowerCase();
if (exactMatch) {
return normalizedTitle === normalizedQuery;
} else {
return (
`${currency_code.currency_code} ${normalizedTitle}`.indexOf(
normalizedQuery
) >= 0
);
}
};
const currencyCodeRenderer = useCallback((CurrencyCode, { handleClick }) => {
return (
<MenuItem
className={'exchangeRate-menu'}
key={CurrencyCode.id}
text={CurrencyCode.currency_code}
onClick={handleClick}
/>
);
}, []);
const getSelectedItemLabel = useCallback((fieldName, defaultLabel) => {
return typeof selectedItems[fieldName] !== 'undefined'
? selectedItems[fieldName].currency_code
: defaultLabel;
}, [selectedItems]);
return (
<Dialog
name={name}
title={payload.action === 'edit'
? <T id={'edit_exchange_rate'}/> : <T id={'new_exchange_rate'}/>}
className={classNames(
{'dialog--loading': fetchExchangeRatesDialog.isFetching},
'dialog--exchangeRate-form'
)}
isOpen={isOpen}
onClosed={onDialogClosed}
onOpening={onDialogOpening}
isLoading={fetchExchangeRatesDialog.isFetching}
onClose={handleClose}
>
<form onSubmit={handleSubmit}>
<div className={Classes.DIALOG_BODY}>
<FormGroup
label={<T id={'date'}/>}
inline={true}
labelInfo={requiredSpan}
intent={errors.date && touched.date && Intent.DANGER}
helperText={<ErrorMessage name='date' {...{errors, touched}} />}
>
<DateInput
fill={true}
{...momentFormatter('YYYY-MM-DD')}
defaultValue={new Date()}
onChange={handleDateChange}
popoverProps={{ position: Position.BOTTOM }}
// disabled={payload.action === 'edit'}
/>
</FormGroup>
<FormGroup
label={<T id={'exchange_rate'}/>}
labelInfo={requiredSpan}
intent={errors.exchange_rate && touched.exchange_rate && Intent.DANGER}
helperText={<ErrorMessage name='exchange_rate' {...{errors, touched}} />}
inline={true}
>
<InputGroup
medium={true}
intent={errors.exchange_rate && touched.exchange_rate && Intent.DANGER}
{...getFieldProps('exchange_rate')}
/>
</FormGroup>
<FormGroup
label={<T id={'currency_code'}/>}
labelInfo={requiredSpan}
className={classNames('form-group--select-list', Classes.FILL)}
inline={true}
intent={(errors.currency_code && touched.currency_code) && Intent.DANGER}
helperText={<ErrorMessage name='currency_code' {...{errors, touched}} />}
>
<Select
items={currenciesList}
noResults={<MenuItem disabled={true} text='No results.' />}
itemRenderer={currencyCodeRenderer}
itemPredicate={filterCurrencyCode}
popoverProps={{ minimal: true }}
onItemSelect={onItemsSelect('currency_code')}
>
<Button
rightIcon='caret-down'
fill={true}
text={getSelectedItemLabel(
'currency_code',
'select Currency Code'
)}
/>
</Select>
</FormGroup>
</div>
<div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}><T id={'close'}/></Button>
<Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}>
{payload.action === 'edit' ? <T id={'edit'}/> : <T id={'submit'}/>}
</Button>
</div>
</div>
</form>
</Dialog>
);
}
export default withExchangeRatesDialog(ExchangeRateDialog);

View File

@@ -1,5 +1,5 @@
import React, { useMemo, useCallback } from 'react'; import React, { useMemo, useCallback } from 'react';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { import {
@@ -28,7 +28,7 @@ function InviteUserDialog({
requestFetchUser, requestFetchUser,
requestEditUser, requestEditUser,
}) { }) {
const intl = useIntl(); const { formatMessage } = useIntl();
const fetchHook = useAsync(async () => { const fetchHook = useAsync(async () => {
await Promise.all([ await Promise.all([
@@ -37,12 +37,12 @@ function InviteUserDialog({
}, false); }, false);
const validationSchema = Yup.object().shape({ const validationSchema = Yup.object().shape({
first_name: Yup.string().required(intl.formatMessage({ id: 'required' })), first_name: Yup.string().required(formatMessage({ id: 'required' })),
last_name: Yup.string().required(intl.formatMessage({ id: 'required' })), last_name: Yup.string().required(formatMessage({ id: 'required' })),
email: Yup.string() email: Yup.string()
.email() .email()
.required(intl.formatMessage({ id: 'required' })), .required(formatMessage({ id: 'required' })),
phone_number: Yup.number().required(intl.formatMessage({ id: 'required' })), phone_number: Yup.number().required(formatMessage({ id: 'required' })),
}); });
const initialValues = useMemo( const initialValues = useMemo(
@@ -101,7 +101,7 @@ function InviteUserDialog({
return ( return (
<Dialog <Dialog
name={name} name={name}
title={payload.action === 'edit' ? 'Edit invite' : ''} title={payload.action === 'edit' ? <T id={'edit_invite'} /> : ''}
className={classNames({ className={classNames({
'dialog--loading': fetchHook.pending, 'dialog--loading': fetchHook.pending,
'dialog--invite-user': true, 'dialog--invite-user': true,
@@ -116,7 +116,7 @@ function InviteUserDialog({
<form onSubmit={formik.handleSubmit}> <form onSubmit={formik.handleSubmit}>
<div className={Classes.DIALOG_BODY}> <div className={Classes.DIALOG_BODY}>
<FormGroup <FormGroup
label={'First Name'} label={<T id={'first_name'} />}
className={'form-group--first-name'} className={'form-group--first-name'}
intent={errors.first_name && touched.first_name && Intent.DANGER} intent={errors.first_name && touched.first_name && Intent.DANGER}
helperText={<ErrorMessage name='first_name' {...formik} />} helperText={<ErrorMessage name='first_name' {...formik} />}
@@ -129,7 +129,7 @@ function InviteUserDialog({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Last Name'} label={<T id={'last_name'} />}
className={'form-group--last-name'} className={'form-group--last-name'}
intent={errors.last_name && touched.last_name && Intent.DANGER} intent={errors.last_name && touched.last_name && Intent.DANGER}
helperText={<ErrorMessage name='last_name' {...formik} />} helperText={<ErrorMessage name='last_name' {...formik} />}
@@ -142,7 +142,7 @@ function InviteUserDialog({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Email'} label={<T id={'email'} />}
className={'form-group--email'} className={'form-group--email'}
intent={errors.email && touched.email && Intent.DANGER} intent={errors.email && touched.email && Intent.DANGER}
helperText={<ErrorMessage name='email' {...formik} />} helperText={<ErrorMessage name='email' {...formik} />}
@@ -156,7 +156,7 @@ function InviteUserDialog({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Phone Number'} label={<T id={'phone_number'} />}
className={'form-group--phone-number'} className={'form-group--phone-number'}
intent={ intent={
errors.phone_number && touched.phone_number && Intent.DANGER errors.phone_number && touched.phone_number && Intent.DANGER
@@ -175,9 +175,9 @@ function InviteUserDialog({
<div className={Classes.DIALOG_FOOTER}> <div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}> <div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}><T id={'close'}/></Button>
<Button intent={Intent.PRIMARY} type='submit'> <Button intent={Intent.PRIMARY} type='submit'>
{payload.action === 'edit' ? 'Edit' : ''} {payload.action === 'edit' ? <T id={'edit'}/> : ''}
</Button> </Button>
</div> </div>
</div> </div>

View File

@@ -11,7 +11,7 @@ import {
import { Select } from '@blueprintjs/select'; import { Select } from '@blueprintjs/select';
import { pick } from 'lodash'; import { pick } from 'lodash';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { compose } from 'utils'; import { compose } from 'utils';
import { useQuery, queryCache } from 'react-query'; import { useQuery, queryCache } from 'react-query';
@@ -165,7 +165,7 @@ function ItemCategoryDialog({
return ( return (
<Dialog <Dialog
name={name} name={name}
title={payload.action === 'edit' ? 'Edit Category' : ' New Category'} title={payload.action === 'edit' ? <T id={'edit_category'}/> : <T id={'new_category'}/>}
className={classNames({ className={classNames({
'dialog--loading': fetchList.isFetching, 'dialog--loading': fetchList.isFetching,
}, },
@@ -180,7 +180,7 @@ function ItemCategoryDialog({
<form onSubmit={handleSubmit}> <form onSubmit={handleSubmit}>
<div className={Classes.DIALOG_BODY}> <div className={Classes.DIALOG_BODY}>
<FormGroup <FormGroup
label={'Category Name'} label={<T id={'category_name'}/>}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={'form-group--category-name'} className={'form-group--category-name'}
intent={(errors.name && touched.name) && Intent.DANGER} intent={(errors.name && touched.name) && Intent.DANGER}
@@ -195,7 +195,7 @@ function ItemCategoryDialog({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Parent Category'} label={<T id={'parent_category'}/>}
labelInfo={infoIcon} labelInfo={infoIcon}
className={classNames( className={classNames(
'form-group--select-list', 'form-group--select-list',
@@ -215,7 +215,6 @@ function ItemCategoryDialog({
onItemSelect={onChangeParentCategory} onItemSelect={onChangeParentCategory}
> >
<Button <Button
rightIcon='caret-down'
text={selectedParentCategory text={selectedParentCategory
? selectedParentCategory.name : 'Select Parent Category'} ? selectedParentCategory.name : 'Select Parent Category'}
/> />
@@ -223,7 +222,7 @@ function ItemCategoryDialog({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Description'} label={<T id={'description'}/>}
className={'form-group--description'} className={'form-group--description'}
intent={(errors.description && touched.description) && Intent.DANGER} intent={(errors.description && touched.description) && Intent.DANGER}
helperText={(<ErrorMessage name="description" {...{errors, touched}} />)} helperText={(<ErrorMessage name="description" {...{errors, touched}} />)}
@@ -239,9 +238,9 @@ function ItemCategoryDialog({
<div className={Classes.DIALOG_FOOTER}> <div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}> <div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}><T id={'close'}/></Button>
<Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}> <Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}>
{payload.action === 'edit' ? 'Edit' : 'Submit'} {payload.action === 'edit' ? <T id={'edit'}/> : <T id={'submit'}/>}
</Button> </Button>
</div> </div>
</div> </div>

View File

@@ -5,10 +5,10 @@ import {
FormGroup, FormGroup,
InputGroup, InputGroup,
Intent, Intent,
TextArea TextArea,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import { compose } from 'utils'; import { compose } from 'utils';
import Dialog from 'components/Dialog'; import Dialog from 'components/Dialog';
@@ -25,30 +25,30 @@ function ItemFromDialog({
submitItemCategory, submitItemCategory,
fetchCategory, fetchCategory,
openDialog, openDialog,
closeDialog closeDialog,
}) { }) {
const [state, setState] = useState({}); const [state, setState] = useState({});
const intl = useIntl(); const { formatMessage } = useIntl();
const ValidationSchema = Yup.object().shape({ const ValidationSchema = Yup.object().shape({
name: Yup.string().required(intl.formatMessage({ id: 'required' })), name: Yup.string().required(formatMessage({ id: 'required' })),
description: Yup.string().trim() description: Yup.string().trim(),
}); });
const formik = useFormik({ const formik = useFormik({
enableReinitialize: true, enableReinitialize: true,
initialValues: {}, initialValues: {},
validationSchema: ValidationSchema, validationSchema: ValidationSchema,
onSubmit: values => { onSubmit: (values) => {
submitItemCategory({ values }) submitItemCategory({ values })
.then(response => { .then((response) => {
AppToaster.show({ AppToaster.show({
message: 'the_category_has_been_submit' message: 'the_category_has_been_submit',
}); });
}) })
.catch(error => { .catch((error) => {
alert(error.message); alert(error.message);
}); });
} },
}); });
const fetchHook = useAsync(async () => { const fetchHook = useAsync(async () => {
@@ -71,10 +71,12 @@ function ItemFromDialog({
return ( return (
<Dialog <Dialog
name={name} name={name}
title={payload.action === 'new' ? 'New' : ' New Category'} title={
payload.action === 'new' ? <T id={'new'} /> : <T id={'new_category'} />
}
className={{ className={{
'dialog--loading': state.isLoading, 'dialog--loading': state.isLoading,
'dialog--item-form': true 'dialog--item-form': true,
}} }}
isOpen={isOpen} isOpen={isOpen}
onClosed={onDialogClosed} onClosed={onDialogClosed}
@@ -84,7 +86,7 @@ function ItemFromDialog({
<form onSubmit={formik.handleSubmit}> <form onSubmit={formik.handleSubmit}>
<div className={Classes.DIALOG_BODY}> <div className={Classes.DIALOG_BODY}>
<FormGroup <FormGroup
label={'Category Name'} label={<T id={'category_name'} />}
className={'form-group--category-name'} className={'form-group--category-name'}
intent={formik.errors.name && Intent.DANGER} intent={formik.errors.name && Intent.DANGER}
helperText={formik.errors.name && formik.errors.name} helperText={formik.errors.name && formik.errors.name}
@@ -97,7 +99,7 @@ function ItemFromDialog({
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Description'} label={<T id={'description'} />}
className={'form-group--description'} className={'form-group--description'}
intent={formik.errors.description && Intent.DANGER} intent={formik.errors.description && Intent.DANGER}
helperText={formik.errors.description && formik.errors.credential} helperText={formik.errors.description && formik.errors.credential}
@@ -112,9 +114,15 @@ function ItemFromDialog({
</div> </div>
<div className={Classes.DIALOG_FOOTER}> <div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}> <div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}>
<T id={'close'} />
</Button>
<Button intent={Intent.PRIMARY} type='submit'> <Button intent={Intent.PRIMARY} type='submit'>
{payload.action === 'new' ? 'New' : 'Submit'} {payload.action === 'new' ? (
<T id={'new'} />
) : (
<T id={'submit'} />
)}
</Button> </Button>
</div> </div>
</div> </div>

View File

@@ -1,5 +1,5 @@
import React, { useMemo, useCallback } from 'react'; import React, { useMemo, useCallback } from 'react';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { useFormik } from 'formik'; import { useFormik } from 'formik';
import * as Yup from 'yup'; import * as Yup from 'yup';
import { import {
@@ -87,7 +87,13 @@ function UserFormDialog({
return ( return (
<Dialog <Dialog
name={name} name={name}
title={payload.action === 'edit' ? 'Edit invite' : 'invite User'} title={
payload.action === 'edit' ? (
<T id={'edit_invite'} />
) : (
<T id={'invite_user'} />
)
}
className={classNames({ className={classNames({
'dialog--loading': fetchHook.pending, 'dialog--loading': fetchHook.pending,
'dialog--invite-form': true, 'dialog--invite-form': true,
@@ -101,18 +107,20 @@ function UserFormDialog({
> >
<form onSubmit={handleSubmit}> <form onSubmit={handleSubmit}>
<div className={Classes.DIALOG_BODY}> <div className={Classes.DIALOG_BODY}>
<p class="mb2">Your teammate will get an email that gives them access to your team.</p> <p class='mb2'>
<T id={'your_access_to_your_team'} />
</p>
<FormGroup <FormGroup
label={'Email'} label={<T id={'email'} />}
className={classNames('form-group--email', Classes.FILL)} className={classNames('form-group--email', Classes.FILL)}
intent={(errors.email && touched.email) && Intent.DANGER} intent={errors.email && touched.email && Intent.DANGER}
helperText={<ErrorMessage name='email' {...{errors, touched}} />} helperText={<ErrorMessage name='email' {...{ errors, touched }} />}
inline={true} inline={true}
> >
<InputGroup <InputGroup
medium={true} medium={true}
intent={(errors.email && touched.email) && Intent.DANGER} intent={errors.email && touched.email && Intent.DANGER}
{...getFieldProps('email')} {...getFieldProps('email')}
/> />
</FormGroup> </FormGroup>
@@ -120,9 +128,9 @@ function UserFormDialog({
<div className={Classes.DIALOG_FOOTER}> <div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}> <div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleClose}>Close</Button> <Button onClick={handleClose}><T id={'cancel'} /></Button>
<Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}> <Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}>
{payload.action === 'edit' ? 'Edit' : 'invite'} {payload.action === 'edit' ? <T id={'edit'} /> : <T id={'invite'} />}
</Button> </Button>
</div> </div>
</div> </div>

View File

@@ -0,0 +1,132 @@
import React, { useEffect, useState, useCallback } from 'react';
import { useQuery } from 'react-query';
import { useParams } from 'react-router-dom';
import { Alert, Intent } from '@blueprintjs/core';
import AppToaster from 'components/AppToaster';
import DashboardPageContent from 'components/Dashboard/DashboardPageContent';
import DashboardInsider from 'components/Dashboard/DashboardInsider';
import ExchangeRateTable from './ExchangeRateTable';
import ExchangeRateActionsBar from './ExchangeRateActionsBar';
import withDashboardActions from 'containers/Dashboard/withDashboard';
import withResourceActions from 'containers/Resources/withResourcesActions';
import withExchangeRatesActions from 'containers/ExchangeRates/withExchangeRatesActions';
import { compose } from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
function ExchangeRate({
// #withDashboard
changePageTitle,
//#withResourceActions
requestFetchResourceFields,
// #withExchangeRatesActions
requestFetchExchangeRates,
requestDeleteExchangeRate,
addExchangeRatesTableQueries,
}) {
const { id } = useParams();
const [deleteExchangeRate, setDeleteExchangeRate] = useState(false);
const [selectedRows, setSelectedRows] = useState([]);
const { formatMessage } = useIntl();
// const fetchExchangeRates = useQuery('exchange-rates-table', () => {
// return Promise.all([requestFetchExchangeRates()]);
// });
const fetchExchangeRates = useQuery('exchange-rates-table',
() => requestFetchExchangeRates(),
{ refetchInterval: 3000 });
useEffect(() => {
id
? changePageTitle(formatMessage({id:'exchange_rate_details'}))
: changePageTitle(formatMessage({id:'exchange_rate_list'}));
}, [id, changePageTitle]);
const handelDeleteExchangeRate = useCallback(
(exchange_rate) => {
setDeleteExchangeRate(exchange_rate);
},
[setDeleteExchangeRate]
);
const handelEditExchangeRate = (exchange_rate) => {};
const handelCancelExchangeRateDelete = useCallback(() => {
setDeleteExchangeRate(false);
}, [setDeleteExchangeRate]);
const handelConfirmExchangeRateDelete = useCallback(() => {
requestDeleteExchangeRate(deleteExchangeRate.id).then(() => {
setDeleteExchangeRate(false);
AppToaster.show({
message: 'the_exchange_rate_has_been_delete',
});
});
}, [deleteExchangeRate, requestDeleteExchangeRate]);
// Handle fetch data of Exchange_rates datatable.
const handleFetchData = useCallback(
({ pageIndex, pageSize, sortBy }) => {
addExchangeRatesTableQueries({
...(sortBy.length > 0
? {
column_sort_by: sortBy[0].id,
sort_order: sortBy[0].desc ? 'desc' : 'asc',
}
: {}),
});
},
[addExchangeRatesTableQueries]
);
const handleSelectedRowsChange = useCallback(
(exchange_rates) => {
setSelectedRows(exchange_rates);
},
[setSelectedRows]
);
return (
<DashboardInsider>
<ExchangeRateActionsBar
onDeleteExchangeRate={handelDeleteExchangeRate}
selectedRows={selectedRows}
/>
<DashboardPageContent>
<ExchangeRateTable
onDeleteExchangeRate={handelDeleteExchangeRate}
onEditExchangeRate={handelEditExchangeRate}
onFetchData={handleFetchData}
onSelectedRowsChange={handleSelectedRowsChange}
/>
<Alert
cancelButtonText={<T id={'cancel'} />}
confirmButtonText={<T id={'move_to_trash'} />}
icon='trash'
intent={Intent.DANGER}
isOpen={deleteExchangeRate}
onCancel={handelCancelExchangeRateDelete}
onConfirm={handelConfirmExchangeRateDelete}
>
<p>
Are you sure you want to move <b>filename</b> to Trash? You will be
able to restore it later, but it will become private to you.
</p>
</Alert>
</DashboardPageContent>
</DashboardInsider>
);
}
export default compose(
withExchangeRatesActions,
withResourceActions,
withDashboardActions
)(ExchangeRate);

View File

@@ -0,0 +1,125 @@
import React, { useCallback, useState, useMemo } from 'react';
import {
NavbarGroup,
Button,
Classes,
Intent,
Popover,
Position,
PopoverInteractionKind,
} from '@blueprintjs/core';
import classNames from 'classnames';
import Icon from 'components/Icon';
import { connect } from 'react-redux';
import DashboardActionsBar from 'components/Dashboard/DashboardActionsBar';
import DialogConnect from 'connectors/Dialog.connector';
import FilterDropdown from 'components/FilterDropdown';
import withResourceDetail from 'containers/Resources/withResourceDetails';
import { compose } from 'utils';
import { FormattedMessage as T } from 'react-intl';
function ExchangeRateActionsBar({
// #withDialog.
openDialog,
// #withResourceDetail
resourceFields,
selectedRows = [],
onDeleteExchangeRate,
onFilterChanged,
}) {
const [filterCount, setFilterCount] = useState(0);
const onClickNewExchangeRate = () => {
openDialog('exchangeRate-form', {});
};
const filterDropdown = FilterDropdown({
fields: resourceFields,
onFilterChange: (filterConditions) => {
setFilterCount(filterConditions.length || 0);
onFilterChanged && onFilterChanged(filterConditions);
},
});
const handelDeleteExchangeRate = useCallback(
(exchangeRate) => {
onDeleteExchangeRate(exchangeRate);
},
[selectedRows, onDeleteExchangeRate]
);
const hasSelectedRows = useMemo(() => selectedRows.length > 0, [
selectedRows,
]);
return (
<DashboardActionsBar>
<NavbarGroup>
<Button
className={Classes.MINIMAL}
icon={<Icon icon='plus' />}
text={<T id={'new_exchange_rate'} />}
onClick={onClickNewExchangeRate}
/>
<Popover
minimal={true}
content={filterDropdown}
interactionKind={PopoverInteractionKind.CLICK}
position={Position.BOTTOM_LEFT}
>
<Button
className={classNames(Classes.MINIMAL, 'button--filter')}
text={
filterCount <= 0 ? (
<T id={'filter'} />
) : (
`${filterCount} filters applied`
)
}
icon={<Icon icon='filter' />}
/>
</Popover>
{hasSelectedRows && (
<Button
className={Classes.MINIMAL}
icon={<Icon icon='trash' iconSize={15} />}
text={<T id={'delete'} />}
intent={Intent.DANGER}
onClick={handelDeleteExchangeRate}
/>
)}
<Button
className={Classes.MINIMAL}
icon={<Icon icon='file-import' />}
text={<T id={'import'} />}
/>
<Button
className={Classes.MINIMAL}
icon={<Icon icon='file-export' />}
text={<T id={'export'} />}
/>
</NavbarGroup>
</DashboardActionsBar>
);
}
const mapStateToProps = (state, props) => ({
resourceName: 'exchange_rates',
});
const withExchangeRateActionBar = connect(mapStateToProps);
export default compose(
withExchangeRateActionBar,
DialogConnect,
withResourceDetail(({ resourceFields }) => ({
resourceFields,
}))
)(ExchangeRateActionsBar);

View File

@@ -0,0 +1,136 @@
import React, { useCallback, useMemo,useState } from 'react';
import Icon from 'components/Icon';
import DialogConnect from 'connectors/Dialog.connector';
import LoadingIndicator from 'components/LoadingIndicator';
import DataTable from 'components/DataTable';
import { Button, Popover, Menu, MenuItem, Position } from '@blueprintjs/core';
import withExchangeRatesActions from 'containers/ExchangeRates/withExchangeRatesActions';
import withExchangeRates from 'containers/ExchangeRates/withExchangeRates';
import { compose } from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
function ExchangeRateTable({
// #withExchangeRates
exchangeRatesList,
exchangeRatesLoading,
// #withDialog.
openDialog,
// own properties
loading,
onFetchData,
onDeleteExchangeRate,
onEditExchangeRate,
onSelectedRowsChange,
}) {
const [initialMount, setInitialMount] = useState(false);
const { formatMessage } = useIntl();
const handelEditExchangeRate = (exchange_rate) => () => {
openDialog('exchangeRate-form', { action: 'edit', id: exchange_rate.id });
onEditExchangeRate(exchange_rate.id);
};
const handleDeleteExchangeRate = (exchange_rate) => () => {
onDeleteExchangeRate(exchange_rate);
};
const actionMenuList = useCallback(
(ExchangeRate) => (
<Menu>
<MenuItem
text={<T id={'edit_exchange_rate'} />}
onClick={handelEditExchangeRate(ExchangeRate)}
/>
<MenuItem
text={<T id={'delete_exchange_rate'} />}
onClick={handleDeleteExchangeRate(ExchangeRate)}
/>
</Menu>
),
[handelEditExchangeRate, handleDeleteExchangeRate]
);
const columns = useMemo(() => [
{
id: 'date',
Header: formatMessage({ id: 'date' }),
// accessor: 'date',
width: 150,
},
{
id: 'currency_code',
Header: formatMessage({ id: 'currency_code' }),
accessor: 'currency_code',
className: 'currency_code',
width: 150,
},
{
id: 'exchange_rate',
Header: formatMessage({ id: 'exchange_rate' }),
accessor: 'exchange_rate',
className: 'exchange_rate',
width: 150,
},
{
id: 'actions',
Header: '',
Cell: ({ cell }) => (
<Popover
content={actionMenuList(cell.row.original)}
position={Position.RIGHT_BOTTOM}
>
<Button icon={<Icon icon='ellipsis-h' />} />
</Popover>
),
className: 'actions',
width: 50,
disableResizing: false,
},
], [actionMenuList]);
const selectionColumn = useMemo(() => ({
minWidth: 42,
width: 42,
maxWidth: 42,
}), []);
const handelFetchData = useCallback(
(...params) => {
onFetchData && onFetchData(...params);
},
[onFetchData]
);
const handelSelectedRowsChange = useCallback((selectRows) => {
onSelectedRowsChange && onSelectedRowsChange(selectRows.map((c) => c.original));
}, [onSelectedRowsChange]);
return (
<DataTable
columns={columns}
data={exchangeRatesList}
onFetchData={handelFetchData}
loading={exchangeRatesLoading && !initialMount}
manualSortBy={true}
selectionColumn={selectionColumn}
expandable={true}
treeGraph={true}
onSelectedRowsChange={handelSelectedRowsChange}
spinnerProps={{ size: 30 }}
/>
);
}
export default compose(
DialogConnect,
withExchangeRatesActions,
withExchangeRates(({ exchangeRatesList ,exchangeRatesLoading }) => ({
exchangeRatesList,
exchangeRatesLoading
}))
)(ExchangeRateTable);

View File

@@ -0,0 +1,14 @@
import { connect } from 'react-redux';
import { getResourceViews } from 'store/customViews/customViews.selectors';
export default (mapState) => {
const mapStateToProps = (state, props) => {
const mapped = {
exchangeRatesList: Object.values(state.exchangeRates.exchangeRates),
exchangeRatesLoading: state.exchangeRates.loading,
};
return mapState ? mapState(mapped, state, props) : mapped;
};
return connect(mapStateToProps);
};

View File

@@ -0,0 +1,21 @@
import { connect } from 'react-redux';
import {
submitExchangeRate,
fetchExchangeRates,
deleteExchangeRate,
editExchangeRate,
} from 'store/ExchangeRate/exchange.actions';
const mapActionsToProps = (dispatch) => ({
requestSubmitExchangeRate: (form) => dispatch(submitExchangeRate({ form })),
requestFetchExchangeRates: () => dispatch(fetchExchangeRates()),
requestDeleteExchangeRate: (id) => dispatch(deleteExchangeRate(id)),
requestEditExchangeRate: (id, form) => dispatch(editExchangeRate(id, form)),
addExchangeRatesTableQueries: (queries) =>
dispatch({
type: 'ExchangeRates_TABLE_QUERIES_ADD',
queries,
}),
});
export default connect(null, mapActionsToProps);

View File

@@ -4,6 +4,7 @@ import {useParams} from 'react-router-dom';
import Connector from 'connectors/ExpenseForm.connector'; import Connector from 'connectors/ExpenseForm.connector';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
import ExpenseForm from 'components/Expenses/ExpenseForm'; import ExpenseForm from 'components/Expenses/ExpenseForm';
import { FormattedMessage as T, useIntl } from 'react-intl';
function ExpenseFormContainer({ function ExpenseFormContainer({
fetchAccounts, fetchAccounts,
@@ -15,12 +16,12 @@ function ExpenseFormContainer({
currencies, currencies,
}) { }) {
const { id } = useParams(); const { id } = useParams();
const { formatMessage } = useIntl();
useEffect(() => { useEffect(() => {
if (id) { if (id) {
changePageTitle('Edit Expense Details'); changePageTitle(formatMessage({id:'edit_expense_details'}));
} else { } else {
changePageTitle('New Expense'); changePageTitle(formatMessage({id:'new_expense'}));
} }
}, []); }, []);

View File

@@ -8,6 +8,7 @@ import ExpensesViewsTabs from 'components/Expenses/ExpensesViewsTabs';
import ExpensesTable from 'components/Expenses/ExpensesTable'; import ExpensesTable from 'components/Expenses/ExpensesTable';
import connector from 'connectors/ExpensesList.connector'; import connector from 'connectors/ExpensesList.connector';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
import { FormattedMessage as T, useIntl } from 'react-intl';
function ExpensesList({ function ExpensesList({
fetchExpenses, fetchExpenses,
@@ -17,8 +18,9 @@ function ExpensesList({
getResourceViews, getResourceViews,
changePageTitle changePageTitle
}) { }) {
const {formatMessage} =useIntl()
useEffect(() => { useEffect(() => {
changePageTitle('Expenses List'); changePageTitle(formatMessage({id:'expenses_list'}));
}, []); }, []);
const [deleteExpenseState, setDeleteExpense] = useState(); const [deleteExpenseState, setDeleteExpense] = useState();
@@ -59,8 +61,8 @@ function ExpensesList({
</DashboardPageContent> </DashboardPageContent>
<Alert <Alert
cancelButtonText='Cancel' cancelButtonText={<T id={'cancel'}/>}
confirmButtonText='Move to Trash' confirmButtonText={<T id={'move_to_trash'}/>}
icon='trash' icon='trash'
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={deleteExpenseState} isOpen={deleteExpenseState}

View File

@@ -9,6 +9,7 @@ import ItemsCategoryActionsBar from 'containers/Items/ItemsCategoryActionsBar';
import withDashboardActions from 'containers/Dashboard/withDashboard'; import withDashboardActions from 'containers/Dashboard/withDashboard';
import withItemCategoriesActions from 'containers/Items/withItemCategoriesActions'; import withItemCategoriesActions from 'containers/Items/withItemCategoriesActions';
import { compose } from 'utils'; import { compose } from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
const ItemCategoryList = ({ const ItemCategoryList = ({
@@ -20,11 +21,11 @@ const ItemCategoryList = ({
}) => { }) => {
const { id } = useParams(); const { id } = useParams();
const [selectedRows, setSelectedRows] = useState([]); const [selectedRows, setSelectedRows] = useState([]);
const {formatMessage} =useIntl()
useEffect(() => { useEffect(() => {
id id
? changePageTitle('Edit Category Details') ? changePageTitle(formatMessage({id:'edit_category_details'}))
: changePageTitle('Category List'); : changePageTitle(formatMessage({id:'category_list'}));
}, []); }, []);
const fetchCategories = useQuery('items-categories-table', const fetchCategories = useQuery('items-categories-table',

View File

@@ -6,6 +6,8 @@ import {
MenuItem, MenuItem,
Position, Position,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { FormattedMessage as T, useIntl } from 'react-intl';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import LoadingIndicator from 'components/LoadingIndicator'; import LoadingIndicator from 'components/LoadingIndicator';
import { compose } from 'utils'; import { compose } from 'utils';
@@ -19,13 +21,15 @@ const ItemsCategoryList = ({
// #withItemCategories // #withItemCategories
categoriesList, categoriesList,
// #ownProps
onFetchData, onFetchData,
onDeleteCategory, onDeleteCategory,
onEditCategory, onEditCategory,
openDialog, openDialog,
count,
onSelectedRowsChange, onSelectedRowsChange,
}) => { }) => {
const {formatMessage} = useIntl();
const handelEditCategory = (category) => () => { const handelEditCategory = (category) => () => {
openDialog('item-form', { action: 'edit', id: category.id }); openDialog('item-form', { action: 'edit', id: category.id });
onEditCategory(category.id); onEditCategory(category.id);
@@ -37,9 +41,9 @@ const ItemsCategoryList = ({
const actionMenuList = (category) => ( const actionMenuList = (category) => (
<Menu> <Menu>
<MenuItem text='Edit Category' onClick={handelEditCategory(category)} /> <MenuItem text={<T id={'edit_category'} />} onClick={handelEditCategory(category)} />
<MenuItem <MenuItem
text='Delete Category' text={<T id={'delete_category'}/>}
onClick={handleDeleteCategory(category)} onClick={handleDeleteCategory(category)}
/> />
</Menu> </Menu>
@@ -48,20 +52,20 @@ const ItemsCategoryList = ({
const columns = useMemo(() => [ const columns = useMemo(() => [
{ {
id: 'name', id: 'name',
Header: 'Category Name', Header: formatMessage({ id:'category_name' }),
accessor: 'name', accessor: 'name',
width: 150, width: 150,
}, },
{ {
id: 'description', id: 'description',
Header: 'Description', Header: formatMessage({ id:'description' }),
accessor: 'description', accessor: 'description',
className: 'description', className: 'description',
width: 150, width: 150,
}, },
{ {
id: 'count', id: 'count',
Header: 'Count', Header: formatMessage({ id:'count' }),
accessor: (r) => r.count || '', accessor: (r) => r.count || '',
className: 'count', className: 'count',
width: 50, width: 50,

View File

@@ -12,18 +12,19 @@ import {
Checkbox, Checkbox,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { Row, Col } from 'react-grid-system'; import { Row, Col } from 'react-grid-system';
import { useIntl } from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { Select } from '@blueprintjs/select'; import { Select } from '@blueprintjs/select';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
import AccountsConnect from 'connectors/Accounts.connector'; import AccountsConnect from 'connectors/Accounts.connector';
import ItemsConnect from 'connectors/Items.connect'; import ItemsConnect from 'connectors/Items.connect';
import {compose} from 'utils'; import { compose } from 'utils';
import ErrorMessage from 'components/ErrorMessage'; import ErrorMessage from 'components/ErrorMessage';
import classNames from 'classnames'; import classNames from 'classnames';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import ItemCategoryConnect from 'connectors/ItemsCategory.connect'; import ItemCategoryConnect from 'connectors/ItemsCategory.connect';
import MoneyInputGroup from 'components/MoneyInputGroup'; import MoneyInputGroup from 'components/MoneyInputGroup';
import {useHistory} from 'react-router-dom'; import { useHistory } from 'react-router-dom';
import Dragzone from 'components/Dragzone'; import Dragzone from 'components/Dragzone';
import MediaConnect from 'connectors/Media.connect'; import MediaConnect from 'connectors/Media.connect';
import useMedia from 'hooks/useMedia'; import useMedia from 'hooks/useMedia';
@@ -31,7 +32,7 @@ import useMedia from 'hooks/useMedia';
const ItemForm = ({ const ItemForm = ({
requestSubmitItem, requestSubmitItem,
accounts, accounts,
categories, categories,
@@ -54,12 +55,15 @@ const ItemForm = ({
deleteCallback: requestDeleteMedia, deleteCallback: requestDeleteMedia,
}); });
const ItemTypeDisplay = useMemo(() => ([ const ItemTypeDisplay = useMemo(
{ value: null, label: 'Select Item Type' }, () => [
{ value: 'service', label: 'Service' }, { value: null, label: 'Select Item Type' },
{ value: 'inventory', label: 'Inventory' }, { value: 'service', label: 'Service' },
{ value: 'non-inventory', label: 'Non-Inventory' } { value: 'inventory', label: 'Inventory' },
]), []); { value: 'non-inventory', label: 'Non-Inventory' },
],
[]
);
const validationSchema = Yup.object().shape({ const validationSchema = Yup.object().shape({
active: Yup.boolean(), active: Yup.boolean(),
@@ -76,22 +80,25 @@ const ItemForm = ({
otherwise: Yup.number().nullable(), otherwise: Yup.number().nullable(),
}), }),
category_id: Yup.number().nullable(), category_id: Yup.number().nullable(),
stock: Yup.string() || Yup.boolean() stock: Yup.string() || Yup.boolean(),
}); });
const initialValues = useMemo(() => ({ const initialValues = useMemo(
active: true, () => ({
name: '', active: true,
type: '', name: '',
sku: '', type: '',
cost_price: 0, sku: '',
sell_price: 0, cost_price: 0,
cost_account_id: null, sell_price: 0,
sell_account_id: null, cost_account_id: null,
inventory_account_id: null, sell_account_id: null,
category_id: null, inventory_account_id: null,
note: '', category_id: null,
}), []); note: '',
}),
[]
);
const { const {
getFieldProps, getFieldProps,
@@ -121,27 +128,29 @@ const ItemForm = ({
}), }),
intent: Intent.SUCCESS, intent: Intent.SUCCESS,
}); });
setSubmitting(false);
history.push('/dashboard/items');
})
.catch((error) => {
setSubmitting(false);
}); });
}; };
Promise.all([ Promise.all([saveMedia(), deleteMedia()]).then(
saveMedia(), ([savedMediaResponses]) => {
deleteMedia(), const mediaIds = savedMediaResponses.map((res) => res.data.media.id);
]).then(([savedMediaResponses]) => { return saveItem(mediaIds);
const mediaIds = savedMediaResponses.map(res => res.data.media.id); }
return saveItem(mediaIds); );
}); },
}
}); });
const accountItem = useCallback((item, { handleClick }) => ( const accountItem = useCallback(
<MenuItem key={item.id} text={item.name} label={item.code} onClick={handleClick} /> (item, { handleClick }) => (
), []); <MenuItem
key={item.id}
text={item.name}
label={item.code}
onClick={handleClick}
/>
),
[]
);
// Filter Account Items // Filter Account Items
const filterAccounts = (query, account, _index, exactMatch) => { const filterAccounts = (query, account, _index, exactMatch) => {
@@ -154,27 +163,37 @@ const ItemForm = ({
} }
}; };
const onItemAccountSelect = useCallback((filedName) => { const onItemAccountSelect = useCallback(
return (account) => { (filedName) => {
setSelectedAccounts({ return (account) => {
...selectedAccounts, setSelectedAccounts({
[filedName]: account ...selectedAccounts,
}); [filedName]: account,
setFieldValue(filedName, account.id); });
}; setFieldValue(filedName, account.id);
}, [setFieldValue, selectedAccounts]); };
},
[setFieldValue, selectedAccounts]
);
const categoryItem = useCallback((item, { handleClick }) => ( const categoryItem = useCallback(
<MenuItem text={item.name} onClick={handleClick} /> (item, { handleClick }) => (
), []); <MenuItem text={item.name} onClick={handleClick} />
),
[]
);
const getSelectedAccountLabel = useCallback((fieldName, defaultLabel) => { const getSelectedAccountLabel = useCallback(
return typeof selectedAccounts[fieldName] !== 'undefined' (fieldName, defaultLabel) => {
? selectedAccounts[fieldName].name : defaultLabel; return typeof selectedAccounts[fieldName] !== 'undefined'
}, [selectedAccounts]); ? selectedAccounts[fieldName].name
: defaultLabel;
},
[selectedAccounts]
);
const requiredSpan = useMemo(() => (<span class="required">*</span>), []); const requiredSpan = useMemo(() => <span class='required'>*</span>, []);
const infoIcon = useMemo(() => (<Icon icon="info-circle" iconSize={12} />), []); const infoIcon = useMemo(() => <Icon icon='info-circle' iconSize={12} />, []);
const handleMoneyInputChange = (fieldKey) => (e, value) => { const handleMoneyInputChange = (fieldKey) => (e, value) => {
setFieldValue(fieldKey, value); setFieldValue(fieldKey, value);
@@ -188,31 +207,36 @@ const ItemForm = ({
setFiles(_files.filter((file) => file.uploaded === false)); setFiles(_files.filter((file) => file.uploaded === false));
}, []); }, []);
const handleDeleteFile = useCallback((_deletedFiles) => { const handleDeleteFile = useCallback(
_deletedFiles.forEach((deletedFile) => { (_deletedFiles) => {
if (deletedFile.uploaded && deletedFile.metadata.id) { _deletedFiles.forEach((deletedFile) => {
setDeletedFiles([ if (deletedFile.uploaded && deletedFile.metadata.id) {
...deletedFiles, deletedFile.metadata.id, setDeletedFiles([...deletedFiles, deletedFile.metadata.id]);
]); }
} });
}); },
}, [setDeletedFiles, deletedFiles]); [setDeletedFiles, deletedFiles]
);
const handleCancelClickBtn = () => { history.goBack(); }; const handleCancelClickBtn = () => {
history.goBack();
};
return ( return (
<div class='item-form'> <div class='item-form'>
<form onSubmit={handleSubmit}> <form onSubmit={handleSubmit}>
<div class="item-form__primary-section"> <div class='item-form__primary-section'>
<Row> <Row>
<Col xs={7}> <Col xs={7}>
<FormGroup <FormGroup
medium={true} medium={true}
label={'Item Type'} label={<T id={'item_type'} />}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={'form-group--item-type'} className={'form-group--item-type'}
intent={(errors.type && touched.type) && Intent.DANGER} intent={errors.type && touched.type && Intent.DANGER}
helperText={<ErrorMessage {...{errors, touched}} name="type" />} helperText={
<ErrorMessage {...{ errors, touched }} name='type' />
}
inline={true} inline={true}
> >
<HTMLSelect <HTMLSelect
@@ -223,45 +247,53 @@ const ItemForm = ({
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Item Name'} label={<T id={'item_name'} />}
labelInfo={requiredSpan} labelInfo={requiredSpan}
className={'form-group--item-name'} className={'form-group--item-name'}
intent={(errors.name && touched.name) && Intent.DANGER} intent={errors.name && touched.name && Intent.DANGER}
helperText={<ErrorMessage {...{errors, touched}} name="name" />} helperText={
<ErrorMessage {...{ errors, touched }} name='name' />
}
inline={true} inline={true}
> >
<InputGroup <InputGroup
medium={true} medium={true}
intent={(errors.name && touched.name) && Intent.DANGER} intent={errors.name && touched.name && Intent.DANGER}
{...getFieldProps('name')} {...getFieldProps('name')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'SKU'} label={<T id={'sku'} />}
labelInfo={infoIcon} labelInfo={infoIcon}
className={'form-group--item-sku'} className={'form-group--item-sku'}
intent={(errors.sku && touched.sku) && Intent.DANGER} intent={errors.sku && touched.sku && Intent.DANGER}
helperText={<ErrorMessage {...{errors, touched}} name="sku" />} helperText={
<ErrorMessage {...{ errors, touched }} name='sku' />
}
inline={true} inline={true}
> >
<InputGroup <InputGroup
medium={true} medium={true}
intent={(errors.sku && touched.sku) && Intent.DANGER} intent={errors.sku && touched.sku && Intent.DANGER}
{...getFieldProps('sku')} {...getFieldProps('sku')}
/> />
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Category'} label={<T id={'category'} />}
labelInfo={infoIcon} labelInfo={infoIcon}
inline={true} inline={true}
intent={(errors.category_id && touched.category_id) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name="category" />} errors.category_id && touched.category_id && Intent.DANGER
}
helperText={
<ErrorMessage {...{ errors, touched }} name='category' />
}
className={classNames( className={classNames(
'form-group--select-list', 'form-group--select-list',
'form-group--category', 'form-group--category',
Classes.FILL, Classes.FILL
)} )}
> >
<Select <Select
@@ -274,7 +306,10 @@ const ItemForm = ({
<Button <Button
fill={true} fill={true}
rightIcon='caret-down' rightIcon='caret-down'
text={getSelectedAccountLabel('category_id', 'Select category')} text={getSelectedAccountLabel(
'category_id',
'Select category'
)}
/> />
</Select> </Select>
</FormGroup> </FormGroup>
@@ -286,7 +321,7 @@ const ItemForm = ({
> >
<Checkbox <Checkbox
inline={true} inline={true}
label={'Active'} label={<T id={'active'}/>}
defaultChecked={values.active} defaultChecked={values.active}
{...getFieldProps('active')} {...getFieldProps('active')}
/> />
@@ -299,20 +334,25 @@ const ItemForm = ({
onDrop={handleDropFiles} onDrop={handleDropFiles}
onDeleteFile={handleDeleteFile} onDeleteFile={handleDeleteFile}
hint={'Attachments: Maxiumum size: 20MB'} hint={'Attachments: Maxiumum size: 20MB'}
className={'mt2'} /> className={'mt2'}
/>
</Col> </Col>
</Row> </Row>
</div> </div>
<Row gutterWidth={16} className={'item-form__accounts-section'}> <Row gutterWidth={16} className={'item-form__accounts-section'}>
<Col width={404}> <Col width={404}>
<h4>Purchase Information</h4> <h4><T id={'purchase_information'}/></h4>
<FormGroup <FormGroup
label={'Selling Price'} label={<T id={'selling_price'}/>}
className={'form-group--item-selling-price'} className={'form-group--item-selling-price'}
intent={(errors.selling_price && touched.selling_price) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name="selling_price" />} errors.selling_price && touched.selling_price && Intent.DANGER
}
helperText={
<ErrorMessage {...{ errors, touched }} name='selling_price' />
}
inline={true} inline={true}
> >
<MoneyInputGroup <MoneyInputGroup
@@ -321,19 +361,31 @@ const ItemForm = ({
onChange={handleMoneyInputChange('selling_price')} onChange={handleMoneyInputChange('selling_price')}
inputGroupProps={{ inputGroupProps={{
medium: true, medium: true,
intent: (errors.selling_price && touched.selling_price) && Intent.DANGER, intent:
}} /> errors.selling_price &&
touched.selling_price &&
Intent.DANGER,
}}
/>
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Account'} label={<T id={'account'} />}
labelInfo={infoIcon} labelInfo={infoIcon}
inline={true} inline={true}
intent={(errors.sell_account_id && touched.sell_account_id) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name="sell_account_id" />} errors.sell_account_id &&
touched.sell_account_id &&
Intent.DANGER
}
helperText={
<ErrorMessage {...{ errors, touched }} name='sell_account_id' />
}
className={classNames( className={classNames(
'form-group--sell-account', 'form-group--select-list', 'form-group--sell-account',
Classes.FILL)} 'form-group--select-list',
Classes.FILL
)}
> >
<Select <Select
items={accounts} items={accounts}
@@ -345,7 +397,10 @@ const ItemForm = ({
<Button <Button
fill={true} fill={true}
rightIcon='caret-down' rightIcon='caret-down'
text={getSelectedAccountLabel('sell_account_id', 'Select account')} text={getSelectedAccountLabel(
'sell_account_id',
'Select account'
)}
/> />
</Select> </Select>
</FormGroup> </FormGroup>
@@ -353,14 +408,16 @@ const ItemForm = ({
<Col width={404}> <Col width={404}>
<h4> <h4>
Sales Information <T id={'sales_information'} />
</h4> </h4>
<FormGroup <FormGroup
label={'Cost Price'} label={<T id={'cost_price'} />}
className={'form-group--item-cost-price'} className={'form-group--item-cost-price'}
intent={(errors.cost_price && touched.cost_price) && Intent.DANGER} intent={errors.cost_price && touched.cost_price && Intent.DANGER}
helperText={<ErrorMessage {...{errors, touched}} name="cost_price" />} helperText={
<ErrorMessage {...{ errors, touched }} name='cost_price' />
}
inline={true} inline={true}
> >
<MoneyInputGroup <MoneyInputGroup
@@ -369,21 +426,30 @@ const ItemForm = ({
onChange={handleMoneyInputChange('cost_price')} onChange={handleMoneyInputChange('cost_price')}
inputGroupProps={{ inputGroupProps={{
medium: true, medium: true,
intent: (errors.cost_price && touched.cost_price) && Intent.DANGER, intent:
}} /> errors.cost_price && touched.cost_price && Intent.DANGER,
}}
/>
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Account'} label={<T id={'account'} />}
labelInfo={infoIcon} labelInfo={infoIcon}
inline={true} inline={true}
intent={(errors.cost_account_id && touched.cost_account_id) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name="cost_account_id" />} errors.cost_account_id &&
touched.cost_account_id &&
Intent.DANGER
}
helperText={
<ErrorMessage {...{ errors, touched }} name='cost_account_id' />
}
className={classNames( className={classNames(
'form-group--cost-account', 'form-group--cost-account',
'form-group--select-list', 'form-group--select-list',
Classes.FILL)} Classes.FILL
> )}
>
<Select <Select
items={accounts} items={accounts}
itemRenderer={accountItem} itemRenderer={accountItem}
@@ -394,7 +460,10 @@ const ItemForm = ({
<Button <Button
fill={true} fill={true}
rightIcon='caret-down' rightIcon='caret-down'
text={getSelectedAccountLabel('cost_account_id', 'Select account')} text={getSelectedAccountLabel(
'cost_account_id',
'Select account'
)}
/> />
</Select> </Select>
</FormGroup> </FormGroup>
@@ -404,19 +473,29 @@ const ItemForm = ({
<Row className={'item-form__accounts-section mt2'}> <Row className={'item-form__accounts-section mt2'}>
<Col width={404}> <Col width={404}>
<h4> <h4>
Inventory Information <T id={'inventory_information'} />
</h4> </h4>
<FormGroup <FormGroup
label={'Inventory Account'} label={<T id={'inventory_account'}/>}
inline={true} inline={true}
intent={(errors.inventory_account_id && touched.inventory_account_id) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name="inventory_account_id" />} errors.inventory_account_id &&
touched.inventory_account_id &&
Intent.DANGER
}
helperText={
<ErrorMessage
{...{ errors, touched }}
name='inventory_account_id'
/>
}
className={classNames( className={classNames(
'form-group--item-inventory_account', 'form-group--item-inventory_account',
'form-group--select-list', 'form-group--select-list',
Classes.FILL)} Classes.FILL
> )}
>
<Select <Select
items={accounts} items={accounts}
itemRenderer={accountItem} itemRenderer={accountItem}
@@ -427,16 +506,17 @@ const ItemForm = ({
<Button <Button
fill={true} fill={true}
rightIcon='caret-down' rightIcon='caret-down'
text={getSelectedAccountLabel('inventory_account_id','Select account')} text={getSelectedAccountLabel(
'inventory_account_id',
'Select account'
)}
/> />
</Select> </Select>
</FormGroup> </FormGroup>
<FormGroup <FormGroup
label={'Opening Stock'} label={<T id={'opening_stock'}/>}
className={'form-group--item-stock'} className={'form-group--item-stock'}
// intent={errors.cost_price && Intent.DANGER}
// helperText={formik.errors.stock && formik.errors.stock}
inline={true} inline={true}
> >
<InputGroup <InputGroup
@@ -450,11 +530,16 @@ const ItemForm = ({
<div class='form__floating-footer'> <div class='form__floating-footer'>
<Button intent={Intent.PRIMARY} disabled={isSubmitting} type='submit'> <Button intent={Intent.PRIMARY} disabled={isSubmitting} type='submit'>
Save <T id={'save'}/>
</Button> </Button>
<Button className={'ml1'} disabled={isSubmitting}>Save as Draft</Button> <Button className={'ml1'} disabled={isSubmitting}>
<Button className={'ml1'} onClick={handleCancelClickBtn}>Close</Button> <T id={'save_as_draft'}/>
</Button>
<Button className={'ml1'} onClick={handleCancelClickBtn}>
<T id={'close'} />
</Button>
</div> </div>
</form> </form>
</div> </div>
@@ -465,5 +550,5 @@ export default compose(
AccountsConnect, AccountsConnect,
ItemsConnect, ItemsConnect,
ItemCategoryConnect, ItemCategoryConnect,
MediaConnect, MediaConnect
)(ItemForm); )(ItemForm);

View File

@@ -10,6 +10,7 @@ import withAccountsActions from 'containers/Accounts/withAccountsActions';
import withItemCategoriesActions from 'containers/Items/withItemCategoriesActions'; import withItemCategoriesActions from 'containers/Items/withItemCategoriesActions';
import { compose } from 'utils'; import { compose } from 'utils';
import { FormattedMessage as T, useIntl } from 'react-intl';
const ItemFormContainer = ({ const ItemFormContainer = ({
@@ -23,11 +24,11 @@ const ItemFormContainer = ({
requestFetchItemCategories, requestFetchItemCategories,
}) => { }) => {
const { id } = useParams(); const { id } = useParams();
const {formatMessage} =useIntl()
useEffect(() => { useEffect(() => {
id ? id ?
changePageTitle('Edit Item Details') : changePageTitle(formatMessage({id:'edit_item_details'})) :
changePageTitle('New Item'); changePageTitle(formatMessage({id:'new_item'}));
}, [id, changePageTitle]); }, [id, changePageTitle]);
const fetchAccounts = useQuery('accounts-list', const fetchAccounts = useQuery('accounts-list',

View File

@@ -21,6 +21,7 @@ import DialogConnect from 'connectors/Dialog.connector';
import withResourceDetail from 'containers/Resources/withResourceDetails'; import withResourceDetail from 'containers/Resources/withResourceDetails';
import withItems from 'containers/Items/withItems'; import withItems from 'containers/Items/withItems';
import { If } from 'components'; import { If } from 'components';
import { FormattedMessage as T, useIntl } from 'react-intl';
const ItemsActionsBar = ({ const ItemsActionsBar = ({
openDialog, openDialog,
@@ -70,7 +71,7 @@ const ItemsActionsBar = ({
<Button <Button
className={classNames(Classes.MINIMAL, 'button--table-views')} className={classNames(Classes.MINIMAL, 'button--table-views')}
icon={<Icon icon='table' />} icon={<Icon icon='table' />}
text='Table Views' text={<T id={'table_views'}/>}
rightIcon={'caret-down'} rightIcon={'caret-down'}
/> />
</Popover> </Popover>
@@ -80,14 +81,14 @@ const ItemsActionsBar = ({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='New Item' text={<T id={'new_item'}/>}
onClick={onClickNewItem} onClick={onClickNewItem}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='New Category' text={<T id={'new_category'}/>}
onClick={onClickNewCategory} onClick={onClickNewCategory}
/> />
@@ -98,7 +99,7 @@ const ItemsActionsBar = ({
> >
<Button <Button
className={classNames(Classes.MINIMAL, 'button--filter')} className={classNames(Classes.MINIMAL, 'button--filter')}
text={filterCount <= 0 ? 'Filter' : `${filterCount} filters applied`} text={filterCount <= 0 ? <T id={'filter'}/> : `${filterCount} filters applied`}
icon={<Icon icon='filter' />} icon={<Icon icon='filter' />}
/> />
</Popover> </Popover>
@@ -108,19 +109,19 @@ const ItemsActionsBar = ({
className={Classes.MINIMAL} className={Classes.MINIMAL}
intent={Intent.DANGER} intent={Intent.DANGER}
icon={<Icon icon='trash' />} icon={<Icon icon='trash' />}
text='Delete' text={<T id={'delete'}/>}
/> />
</If> </If>
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-import' />} icon={<Icon icon='file-import' />}
text='Import' text={<T id={'import'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-export' />} icon={<Icon icon='file-export' />}
text='Export' text={<T id={'export'}/>}
/> />
</NavbarGroup> </NavbarGroup>
</DashboardActionsBar> </DashboardActionsBar>

View File

@@ -21,6 +21,7 @@ import FilterDropdown from 'components/FilterDropdown';
import withResourceDetail from 'containers/Resources/withResourceDetails'; import withResourceDetail from 'containers/Resources/withResourceDetails';
import withDashboard from 'containers/Dashboard/withDashboard'; import withDashboard from 'containers/Dashboard/withDashboard';
import { FormattedMessage as T, useIntl } from 'react-intl';
const ItemsCategoryActionsBar = ({ const ItemsCategoryActionsBar = ({
// #withResourceDetail // #withResourceDetail
@@ -57,7 +58,7 @@ const ItemsCategoryActionsBar = ({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='plus' />} icon={<Icon icon='plus' />}
text='New Category' text={<T id={'new_category'}/>}
onClick={onClickNewCategory} onClick={onClickNewCategory}
/> />
<Popover <Popover
@@ -68,7 +69,7 @@ const ItemsCategoryActionsBar = ({
> >
<Button <Button
className={classNames(Classes.MINIMAL, 'button--filter')} className={classNames(Classes.MINIMAL, 'button--filter')}
text='Filter' text={<T id={'filter'}/>}
icon={<Icon icon='filter' />} icon={<Icon icon='filter' />}
/> />
</Popover> </Popover>
@@ -77,7 +78,7 @@ const ItemsCategoryActionsBar = ({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='trash' iconSize={15} />} icon={<Icon icon='trash' iconSize={15} />}
text='Delete' text={<T id={'delete'}/>}
intent={Intent.DANGER} intent={Intent.DANGER}
onClick={handleDeleteCategory} onClick={handleDeleteCategory}
/> />
@@ -86,12 +87,12 @@ const ItemsCategoryActionsBar = ({
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-import' />} icon={<Icon icon='file-import' />}
text='Import' text={<T id={'import'}/>}
/> />
<Button <Button
className={Classes.MINIMAL} className={Classes.MINIMAL}
icon={<Icon icon='file-export' />} icon={<Icon icon='file-export' />}
text='Export' text={<T id={'export'}/>}
/> />
</NavbarGroup> </NavbarGroup>
</DashboardActionsBar> </DashboardActionsBar>

View File

@@ -7,6 +7,8 @@ import {
MenuDivider, MenuDivider,
Position, Position,
} from '@blueprintjs/core' } from '@blueprintjs/core'
import { FormattedMessage as T, useIntl } from 'react-intl';
import {compose} from 'utils'; import {compose} from 'utils';
import DataTable from 'components/DataTable'; import DataTable from 'components/DataTable';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
@@ -29,6 +31,8 @@ const ItemsDataTable = ({
onFetchData, onFetchData,
onSelectedRowsChange, onSelectedRowsChange,
}) => { }) => {
const {formatMessage} = useIntl();
const [initialMount, setInitialMount] = useState(false); const [initialMount, setInitialMount] = useState(false);
useEffect(() => { useEffect(() => {
@@ -42,35 +46,35 @@ const ItemsDataTable = ({
const actionMenuList = useCallback((item) => const actionMenuList = useCallback((item) =>
(<Menu> (<Menu>
<MenuItem text="View Details" /> <MenuItem text={<T id={'view_details'}/>} />
<MenuDivider /> <MenuDivider />
<MenuItem text="Edit Item" onClick={handleEditItem(item)} /> <MenuItem text={<T id={'edit_item'}/>} onClick={handleEditItem(item)} />
<MenuItem text="Delete Item" onClick={handleDeleteItem(item)} /> <MenuItem text={<T id={'delete_item'}/>} onClick={handleDeleteItem(item)} />
</Menu>), [handleEditItem, handleDeleteItem]); </Menu>), [handleEditItem, handleDeleteItem]);
const columns = useMemo(() => [ const columns = useMemo(() => [
{ {
Header: 'Item Name', Header: formatMessage({ id:'item_name' }),
accessor: 'name', accessor: 'name',
className: "actions", className: "actions",
}, },
{ {
Header: 'SKU', Header: formatMessage({ id:'sku' }),
accessor: 'sku', accessor: 'sku',
className: "sku", className: "sku",
}, },
{ {
Header: 'Category', Header: formatMessage({ id:'category' }),
accessor: 'category.name', accessor: 'category.name',
className: 'category', className: 'category',
}, },
{ {
Header: 'Sell Price', Header: formatMessage({ id: 'sell_price' }),
accessor: row => (<Money amount={row.sell_price} currency={'USD'} />), accessor: row => (<Money amount={row.sell_price} currency={'USD'} />),
className: 'sell-price', className: 'sell-price',
}, },
{ {
Header: 'Cost Price', Header: formatMessage({ id: 'cost_price' }),
accessor: row => (<Money amount={row.cost_price} currency={'USD'} />), accessor: row => (<Money amount={row.cost_price} currency={'USD'} />),
className: 'cost-price', className: 'cost-price',
}, },

View File

@@ -8,7 +8,7 @@ import {
Alert, Alert,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { useQuery } from 'react-query'; import { useQuery } from 'react-query';
import { FormattedHTMLMessage, useIntl } from 'react-intl'; import { FormattedMessage as T, FormattedHTMLMessage, useIntl } from 'react-intl';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
import ItemsActionsBar from 'containers/Items/ItemsActionsBar'; import ItemsActionsBar from 'containers/Items/ItemsActionsBar';
@@ -27,7 +27,6 @@ import withItemsActions from 'containers/Items/withItemsActions';
import withViewsActions from 'containers/Views/withViewsActions'; import withViewsActions from 'containers/Views/withViewsActions';
function ItemsList({ function ItemsList({
// #withDashboard // #withDashboard
changePageTitle, changePageTitle,
@@ -150,8 +149,8 @@ function ItemsList({
onSelectedRowsChange={handleSelectedRowsChange} /> onSelectedRowsChange={handleSelectedRowsChange} />
<Alert <Alert
cancelButtonText="Cancel" cancelButtonText={<T id={'cancel'}/>}
confirmButtonText="Delete" confirmButtonText={<T id={'delete'}/>}
icon="trash" icon="trash"
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={deleteItem} isOpen={deleteItem}

View File

@@ -1,6 +1,7 @@
import React, {useState, useEffect, useCallback, useMemo} from 'react'; import React, { useState, useEffect, useCallback, useMemo } from 'react';
import { useFormik } from "formik"; import { useFormik } from 'formik';
import {useIntl} from 'react-intl'; import { FormattedMessage as T, useIntl } from 'react-intl';
import { useParams, useHistory } from 'react-router-dom'; import { useParams, useHistory } from 'react-router-dom';
import { import {
InputGroup, InputGroup,
@@ -13,19 +14,18 @@ import {
Menu, Menu,
H5, H5,
H6, H6,
} from "@blueprintjs/core"; } from '@blueprintjs/core';
import {Row, Col} from 'react-grid-system'; import { Row, Col } from 'react-grid-system';
import { ReactSortable } from 'react-sortablejs'; import { ReactSortable } from 'react-sortablejs';
import * as Yup from 'yup'; import * as Yup from 'yup';
import {pick, get} from 'lodash'; import { pick, get } from 'lodash';
import Icon from 'components/Icon'; import Icon from 'components/Icon';
import ErrorMessage from 'components/ErrorMessage'; import ErrorMessage from 'components/ErrorMessage';
import AppToaster from 'components/AppToaster'; import AppToaster from 'components/AppToaster';
import { If } from 'components'; import { If } from 'components';
import ViewFormContainer from 'containers/Views/ViewForm.container.js'; import ViewFormContainer from 'containers/Views/ViewForm.container.js';
function ViewForm({
function ViewForm({
requestSubmitView, requestSubmitView,
requestEditView, requestEditView,
onDelete, onDelete,
@@ -51,20 +51,30 @@ function ViewForm({
}, []); }, []);
const [draggedColumns, setDraggedColumn] = useState([ const [draggedColumns, setDraggedColumn] = useState([
...(viewMeta && viewMeta.columns) ? viewMeta.columns : [] ...(viewMeta && viewMeta.columns ? viewMeta.columns : []),
]);
const draggedColumnsIds = useMemo(() => draggedColumns.map((c) => c.id), [
draggedColumns,
]); ]);
const draggedColumnsIds = useMemo(() => draggedColumns.map(c => c.id), [draggedColumns]);
const [availableColumns, setAvailableColumns] = useState([ const [availableColumns, setAvailableColumns] = useState([
...(viewMeta && viewMeta.columns) ? resourceColumns.filter((column) => ...(viewMeta && viewMeta.columns
draggedColumnsIds.indexOf(column.id) === -1 ? resourceColumns.filter(
) : resourceColumns, (column) => draggedColumnsIds.indexOf(column.id) === -1
)
: resourceColumns),
]); ]);
const defaultViewRole = useMemo(() => ({ const defaultViewRole = useMemo(
field_key: '', comparator: '', value: '', index: 1, () => ({
}), []); field_key: '',
comparator: '',
value: '',
index: 1,
}),
[]
);
const validationSchema = Yup.object().shape({ const validationSchema = Yup.object().shape({
resource_name: Yup.string().required(), resource_name: Yup.string().required(),
@@ -82,27 +92,33 @@ function ViewForm({
Yup.object().shape({ Yup.object().shape({
key: Yup.string().required(), key: Yup.string().required(),
index: Yup.string().required(), index: Yup.string().required(),
}), })
), ),
}); });
const initialEmptyForm = useMemo(() => ({ const initialEmptyForm = useMemo(
resource_name: resourceName || '', () => ({
name: '', resource_name: resourceName || '',
logic_expression: '', name: '',
roles: [ logic_expression: '',
defaultViewRole, roles: [defaultViewRole],
], columns: [],
columns: [], }),
}), [defaultViewRole, resourceName]); [defaultViewRole, resourceName]
);
const initialForm = useMemo(() => ({ const initialForm = useMemo(
...initialEmptyForm, () => ({
...viewMeta ? { ...initialEmptyForm,
...viewMeta, ...(viewMeta
resource_name: viewMeta.resource?.name || resourceName, ? {
} : {}, ...viewMeta,
}), [initialEmptyForm, viewMeta, resourceName]); resource_name: viewMeta.resource?.name || resourceName,
}
: {}),
}),
[initialEmptyForm, viewMeta, resourceName]
);
const { const {
values, values,
@@ -135,7 +151,9 @@ function ViewForm({
message: 'the_view_has_been_edited', message: 'the_view_has_been_edited',
intent: Intent.SUCCESS, intent: Intent.SUCCESS,
}); });
history.push(`${resourceMetadata.baseRoute}/${viewMeta.id}/custom_view`); history.push(
`${resourceMetadata.baseRoute}/${viewMeta.id}/custom_view`
);
setSubmitting(false); setSubmitting(false);
}); });
} else { } else {
@@ -144,7 +162,9 @@ function ViewForm({
message: 'the_view_has_been_submit', message: 'the_view_has_been_submit',
intent: Intent.SUCCESS, intent: Intent.SUCCESS,
}); });
history.push(`${resourceMetadata.baseRoute}/${viewMeta.id}/custom_view`); history.push(
`${resourceMetadata.baseRoute}/${viewMeta.id}/custom_view`
);
setSubmitting(false); setSubmitting(false);
}); });
} }
@@ -152,39 +172,55 @@ function ViewForm({
}); });
useEffect(() => { useEffect(() => {
setFieldValue('columns', setFieldValue(
'columns',
draggedColumns.map((column, index) => ({ draggedColumns.map((column, index) => ({
index, key: column.key, index,
}))); key: column.key,
}))
);
}, [setFieldValue, draggedColumns]); }, [setFieldValue, draggedColumns]);
const conditionalsItems = useMemo(() => ([ const conditionalsItems = useMemo(
{ value: 'and', label: 'AND' }, () => [
{ value: 'or', label: 'OR' }, { value: 'and', label: 'AND' },
]), []); { value: 'or', label: 'OR' },
],
[]
);
const whenConditionalsItems = useMemo(() => ([ const whenConditionalsItems = useMemo(
{ value: '', label: 'When' }, () => [{ value: '', label: 'When' }],
]), []); []
);
// Compatotors items. // Compatotors items.
const compatatorsItems = useMemo(() => ([ const compatatorsItems = useMemo(
{value: '', label: 'Compatator'}, () => [
{value: 'equals', label: 'Equals'}, { value: '', label: 'Compatator' },
{value: 'not_equal', label: 'Not Equal'}, { value: 'equals', label: 'Equals' },
{value: 'contain', label: 'Contain'}, { value: 'not_equal', label: 'Not Equal' },
{value: 'not_contain', label: 'Not Contain'}, { value: 'contain', label: 'Contain' },
]), []); { value: 'not_contain', label: 'Not Contain' },
],
[]
);
// Resource fields. // Resource fields.
const resourceFieldsOptions = useMemo(() => ([ const resourceFieldsOptions = useMemo(
{value: '', label: 'Select a field'}, () => [
...resourceFields.map((field) => ({ value: field.key, label: field.label_name, })), { value: '', label: 'Select a field' },
]), [resourceFields]); ...resourceFields.map((field) => ({
value: field.key,
label: field.label_name,
})),
],
[resourceFields]
);
// Account item of select accounts field. // Account item of select accounts field.
const selectItem = (item, { handleClick, modifiers, query }) => { const selectItem = (item, { handleClick, modifiers, query }) => {
return (<MenuItem text={item.label} key={item.key} onClick={handleClick} />) return <MenuItem text={item.label} key={item.key} onClick={handleClick} />;
}; };
// Handle click new condition button. // Handle click new condition button.
const onClickNewRole = useCallback(() => { const onClickNewRole = useCallback(() => {
@@ -193,219 +229,273 @@ function ViewForm({
{ {
...defaultViewRole, ...defaultViewRole,
index: values.roles.length + 1, index: values.roles.length + 1,
} },
]); ]);
}, [defaultViewRole, setFieldValue, values]); }, [defaultViewRole, setFieldValue, values]);
// Handle click remove view role button. // Handle click remove view role button.
const onClickRemoveRole = useCallback((viewRole, index) => { const onClickRemoveRole = useCallback(
let viewRoles = [...values.roles]; (viewRole, index) => {
let viewRoles = [...values.roles];
// Can't continue if view roles equals or less than 1. // Can't continue if view roles equals or less than 1.
if (viewRoles.length > 1) { if (viewRoles.length > 1) {
viewRoles.splice(index, 1); viewRoles.splice(index, 1);
setFieldValue(
'roles',
viewRoles.map((role) => {
return role;
})
);
}
},
[values, setFieldValue]
);
setFieldValue('roles', viewRoles.map((role) => {
return role;
}));
}
}, [values, setFieldValue]);
const onClickDeleteView = useCallback(() => { const onClickDeleteView = useCallback(() => {
onDelete && onDelete(viewMeta); onDelete && onDelete(viewMeta);
}, [onDelete, viewMeta]); }, [onDelete, viewMeta]);
const hasError = (path) => get(errors, path) && get(touched, path); const hasError = (path) => get(errors, path) && get(touched, path);
const handleClickCancelBtn = () => { const handleClickCancelBtn = () => {
history.goBack(); history.goBack();
}; };
return ( return (
<div class="view-form"> <div class='view-form'>
<form onSubmit={handleSubmit}> <form onSubmit={handleSubmit}>
<div class="view-form--name-section"> <div class='view-form--name-section'>
<Row> <Row>
<Col sm={8}> <Col sm={8}>
<FormGroup <FormGroup
label={intl.formatMessage({'id': 'View Name'})} label={<T id={'view_name'} />}
className={'form-group--name'} className={'form-group--name'}
intent={(errors.name && touched.name) && Intent.DANGER} intent={errors.name && touched.name && Intent.DANGER}
helperText={<ErrorMessage {...{errors, touched}} name={'name'} />} helperText={
<ErrorMessage {...{ errors, touched }} name={'name'} />
}
inline={true} inline={true}
fill={true}> fill={true}
>
<InputGroup <InputGroup
intent={(errors.name && touched.name) && Intent.DANGER} intent={errors.name && touched.name && Intent.DANGER}
fill={true} fill={true}
{...getFieldProps('name')} /> {...getFieldProps('name')}
/>
</FormGroup> </FormGroup>
</Col> </Col>
</Row> </Row>
</div> </div>
<H5 className="mb2">Define the conditionals</H5> <H5 className='mb2'>Define the conditionals</H5>
{values.roles.map((role, index) => ( {values.roles.map((role, index) => (
<Row class="view-form__role-conditional"> <Row class='view-form__role-conditional'>
<Col sm={2} class="flex"> <Col sm={2} class='flex'>
<div class="mr2 pt1 condition-number">{ index + 1 }</div> <div class='mr2 pt1 condition-number'>{index + 1}</div>
{(index === 0) ? ( {index === 0 ? (
<HTMLSelect options={whenConditionalsItems} className={Classes.FILL} /> <HTMLSelect
options={whenConditionalsItems}
className={Classes.FILL}
/>
) : ( ) : (
<HTMLSelect options={conditionalsItems} className={Classes.FILL} /> <HTMLSelect
options={conditionalsItems}
className={Classes.FILL}
/>
)} )}
</Col> </Col>
<Col sm={2}> <Col sm={2}>
<FormGroup <FormGroup
intent={hasError(`roles[${index}].field_key`) && Intent.DANGER}> intent={hasError(`roles[${index}].field_key`) && Intent.DANGER}
>
<HTMLSelect <HTMLSelect
options={resourceFieldsOptions} options={resourceFieldsOptions}
value={role.field_key} value={role.field_key}
className={Classes.FILL} className={Classes.FILL}
{...getFieldProps(`roles[${index}].field_key`)} /> {...getFieldProps(`roles[${index}].field_key`)}
/>
</FormGroup> </FormGroup>
</Col> </Col>
<Col sm={2}> <Col sm={2}>
<FormGroup <FormGroup
intent={hasError(`roles[${index}].comparator`) && Intent.DANGER}> intent={hasError(`roles[${index}].comparator`) && Intent.DANGER}
>
<HTMLSelect <HTMLSelect
options={compatatorsItems} options={compatatorsItems}
value={role.comparator} value={role.comparator}
className={Classes.FILL} className={Classes.FILL}
{...getFieldProps(`roles[${index}].comparator`)} /> {...getFieldProps(`roles[${index}].comparator`)}
/>
</FormGroup> </FormGroup>
</Col> </Col>
<Col sm={5} class="flex"> <Col sm={5} class='flex'>
<FormGroup <FormGroup
intent={hasError(`roles[${index}].value`) && Intent.DANGER}> intent={hasError(`roles[${index}].value`) && Intent.DANGER}
>
<InputGroup <InputGroup
placeholder={intl.formatMessage({'id': 'value'})} placeholder={intl.formatMessage({ id: 'value' })}
{...getFieldProps(`roles[${index}].value`)} /> {...getFieldProps(`roles[${index}].value`)}
/>
</FormGroup> </FormGroup>
<Button <Button
icon={<Icon icon="times-circle" iconSize={14} />} icon={<Icon icon='times-circle' iconSize={14} />}
iconSize={14} iconSize={14}
className="ml2" className='ml2'
minimal={true} minimal={true}
intent={Intent.DANGER} intent={Intent.DANGER}
onClick={() => onClickRemoveRole(role, index)} /> onClick={() => onClickRemoveRole(role, index)}
/>
</Col> </Col>
</Row> </Row>
))} ))}
<div className={'view-form__role-conditions-actions'}> <div className={'view-form__role-conditions-actions'}>
<Button <Button
minimal={true} minimal={true}
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
onClick={onClickNewRole}> onClick={onClickNewRole}
New Conditional >
</Button> <T id={'new_conditional'} />
</div> </Button>
</div>
<div class="view-form--logic-expression-section"> <div class='view-form--logic-expression-section'>
<Row> <Row>
<Col sm={8}> <Col sm={8}>
<FormGroup <FormGroup
label={intl.formatMessage({'id': 'Logic Expression'})} label={intl.formatMessage({ id: 'Logic Expression' })}
className={'form-group--logic-expression'} className={'form-group--logic-expression'}
intent={(errors.logic_expression && touched.logic_expression) && Intent.DANGER} intent={
helperText={<ErrorMessage {...{errors, touched}} name='logic_expression' />} errors.logic_expression &&
inline={true} touched.logic_expression &&
fill={true}> Intent.DANGER
}
helperText={
<ErrorMessage
{...{ errors, touched }}
name='logic_expression'
/>
}
inline={true}
fill={true}
>
<InputGroup
intent={
errors.logic_expression &&
touched.logic_expression &&
Intent.DANGER
}
fill={true}
{...getFieldProps('logic_expression')}
/>
</FormGroup>
</Col>
</Row>
</div>
<H5 className={'mb2'}>Columns Preferences</H5>
<div class='dragable-columns'>
<Row gutterWidth={14}>
<Col sm={4} className='dragable-columns__column'>
<H6 className='dragable-columns__title'>Available Columns</H6>
<InputGroup <InputGroup
intent={(errors.logic_expression && touched.logic_expression) && Intent.DANGER} placeholder={intl.formatMessage({ id: 'search' })}
fill={true} leftIcon='search'
{...getFieldProps('logic_expression')} /> />
</FormGroup>
</Col>
</Row>
</div>
<H5 className={'mb2'}>Columns Preferences</H5> <div class='dragable-columns__items'>
<Menu>
<div class="dragable-columns"> <ReactSortable
<Row gutterWidth={14}> list={availableColumns}
<Col sm={4} className="dragable-columns__column"> setList={setAvailableColumns}
<H6 className="dragable-columns__title">Available Columns</H6> group='shared-group-name'
>
{availableColumns.map((field) => (
<MenuItem key={field.id} text={field.label} />
))}
</ReactSortable>
</Menu>
</div>
</Col>
<InputGroup <Col sm={1}>
placeholder={intl.formatMessage({id: 'search'})} <div class='dragable-columns__arrows'>
leftIcon="search" /> <div>
<Icon
icon='arrow-circle-left'
iconSize={30}
color='#cecece'
/>
</div>
<div class='mt2'>
<Icon
icon='arrow-circle-right'
iconSize={30}
color='#cecece'
/>
</div>
</div>
</Col>
<div class="dragable-columns__items"> <Col sm={4} className='dragable-columns__column'>
<Menu> <H6 className='dragable-columns__title'>Selected Columns</H6>
<ReactSortable <InputGroup
list={availableColumns} placeholder={intl.formatMessage({ id: 'search' })}
setList={setAvailableColumns} leftIcon='search'
group="shared-group-name"> />
{availableColumns.map((field) => (
<MenuItem key={field.id} text={field.label} />
))}
</ReactSortable>
</Menu>
</div>
</Col>
<Col sm={1}> <div class='dragable-columns__items'>
<div class="dragable-columns__arrows"> <Menu>
<div><Icon icon="arrow-circle-left" iconSize={30} color="#cecece" /></div> <ReactSortable
<div class="mt2"><Icon icon="arrow-circle-right" iconSize={30} color="#cecece" /></div> list={draggedColumns}
</div> setList={setDraggedColumn}
</Col> group='shared-group-name'
>
{draggedColumns.map((field) => (
<MenuItem key={field.id} text={field.label} />
))}
</ReactSortable>
</Menu>
</div>
</Col>
</Row>
</div>
<Col sm={4} className="dragable-columns__column"> <div class='form__floating-footer'>
<H6 className="dragable-columns__title">Selected Columns</H6> <Button intent={Intent.PRIMARY} type='submit' disabled={isSubmitting}>
<InputGroup placeholder={intl.formatMessage({id: 'search'})} leftIcon="search" /> <T id={'submit'} />
<div class="dragable-columns__items">
<Menu>
<ReactSortable
list={draggedColumns}
setList={setDraggedColumn}
group="shared-group-name">
{draggedColumns.map((field) => (
<MenuItem key={field.id} text={field.label} />
))}
</ReactSortable>
</Menu>
</div>
</Col>
</Row>
</div>
<div class="form__floating-footer">
<Button
intent={Intent.PRIMARY}
type="submit"
disabled={isSubmitting}>
Submit
</Button>
<Button
intent={Intent.NONE}
className="ml1"
onClick={handleClickCancelBtn}>
Cancel
</Button>
<If condition={viewMeta && viewMeta.id}>
<Button
intent={Intent.DANGER}
onClick={onClickDeleteView}
className={"right mr2"}>
Delete
</Button> </Button>
</If>
</div> <Button
</form> intent={Intent.NONE}
</div> className='ml1'
onClick={handleClickCancelBtn}
>
<T id={'cancel'} />
</Button>
<If condition={viewMeta && viewMeta.id}>
<Button
intent={Intent.DANGER}
onClick={onClickDeleteView}
className={'right mr2'}
>
<T id={'delete'} />
</Button>
</If>
</div>
</form>
</div>
); );
} }
export default ViewFormContainer(ViewForm); export default ViewFormContainer(ViewForm);

View File

@@ -2,7 +2,7 @@ import React, {useEffect, useState, useMemo, useCallback} from 'react';
import { useAsync } from 'react-use'; import { useAsync } from 'react-use';
import { useParams } from 'react-router-dom'; import { useParams } from 'react-router-dom';
import { Intent, Alert } from '@blueprintjs/core'; import { Intent, Alert } from '@blueprintjs/core';
import { FormattedHTMLMessage, useIntl } from 'react-intl'; import { FormattedMessage as T, FormattedHTMLMessage, useIntl } from 'react-intl';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
import DashboardPageContent from 'components/Dashboard/DashboardPageContent'; import DashboardPageContent from 'components/Dashboard/DashboardPageContent';
@@ -50,23 +50,27 @@ function ViewFormPage({
useEffect(() => { useEffect(() => {
if (viewId) { if (viewId) {
changePageTitle('Edit Custom View'); changePageTitle(formatMessage({id:'edit_custom_view'}));
} else { } else {
changePageTitle('New Custom View'); changePageTitle(formatMessage({id:'new_custom_view'}));
} }
return () => { return () => {
changePageTitle(''); changePageTitle('');
}; };
}, [viewId, changePageTitle]); }, [viewId, changePageTitle]);
// Handle delete view button click.
const handleDeleteView = useCallback((view) => { const handleDeleteView = useCallback((view) => {
setStateDeleteView(view); setStateDeleteView(view);
}, []); }, []);
// Handle cancel delete button click.
const handleCancelDeleteView = useCallback(() => { const handleCancelDeleteView = useCallback(() => {
setStateDeleteView(null); setStateDeleteView(null);
}, []); }, []);
// Handle confirm delete custom view.
const handleConfirmDeleteView = useCallback(() => { const handleConfirmDeleteView = useCallback(() => {
requestDeleteView(stateDeleteView.id).then((response) => { requestDeleteView(stateDeleteView.id).then((response) => {
setStateDeleteView(null); setStateDeleteView(null);
@@ -92,8 +96,8 @@ function ViewFormPage({
onDelete={handleDeleteView} /> onDelete={handleDeleteView} />
<Alert <Alert
cancelButtonText="Cancel" cancelButtonText={<T id={'cancel'}/>}
confirmButtonText="Delete" confirmButtonText={<T id={'delete'}/>}
icon="trash" icon="trash"
intent={Intent.DANGER} intent={Intent.DANGER}
isOpen={stateDeleteView} isOpen={stateDeleteView}
@@ -107,7 +111,7 @@ function ViewFormPage({
</If> </If>
<If condition={fetchHook.error}> <If condition={fetchHook.error}>
<h4>Something wrong</h4> <h4><T id={'something_wrong'}/></h4>
</If> </If>
</DashboardPageContent> </DashboardPageContent>
</DashboardInsider> </DashboardInsider>

View File

@@ -1,32 +1,169 @@
export default { export default {
'hello_world': 'Hello World', hello_world: 'Hello World',
'email_or_phone_number': 'Email or phone number', email_or_phone_number: 'Email or phone number',
'password': 'Password', password: 'Password',
'login': 'Login', login: 'Login',
'invalid_email_or_phone_numner': 'Invalid email or phone number.', invalid_email_or_phone_numner: 'Invalid email or phone number.',
'required': 'Required', required: 'Required',
'reset_password': 'Reset Password', reset_password: 'Reset Password',
'the_user_has_been_suspended_from_admin': 'The user has been suspended from the administrator.', the_user_has_been_suspended_from_admin: 'The user has been suspended from the administrator.',
'email_and_password_entered_did_not_match': 'The email and password you entered did not match our records.', email_and_password_entered_did_not_match:
'field_name_must_be_number': 'field_name_must_be_number', 'The email and password you entered did not match our records.',
'name': 'Name', field_name_must_be_number: 'field_name_must_be_number',
"search": "Search", name: 'Name',
'reference': 'Reference', search: 'Search',
'date': 'Date', reference: 'Reference',
'description': 'Description', date: 'Date',
'from_date': 'From date', description: 'Description',
'to_date': 'To date', from_date: 'From date',
'accounting_basis': 'Accounting basis', to_date: 'To date',
'report_date_range': 'Report date range', accounting_basis: 'Accounting basis',
'log_in': 'Log in', report_date_range: 'Report date range',
'forget_my_password': 'Forget my password', log_in: 'Log in',
'keep_me_logged_in': 'Keep me logged in', forget_my_password: 'Forget my password',
'create_an_account': 'Create an account', keep_me_logged_in: 'Keep me logged in',
'need_bigcapital_account?': 'Need a Bigcapital account ?', create_an_account: 'Create an account',
'show': 'Show', need_bigcapital_account: 'Need a Bigcapital account ?',
'hide': 'Hide', show: 'Show',
hide: 'Hide',
an_unexpected_error_occurred: 'An unexpected error occurred',
welcome_to_bigcapital: 'Welcome to Bigcapital',
enter_your_personal_information: ' Enter your personal information',
first_name: 'First Name',
last_name: 'Last Name',
phone_number: 'Phone Number',
you_email_address_is: 'You email address is',
you_will_use_this_address_to_sign_in_to_bigcapital:
'You will use this address to sign in to Bigcapital.',
signing_in_or_creating:
'By signing in or creating an account, you agree with our',
terms_conditions: 'Terms & Conditions',
and: 'and',
privacy_statement: 'Privacy Statement',
create_account: 'Create Account',
success: 'Success',
register_a_new_organization: 'Register a New Organization.',
you_have_a_bigcapital_account: 'You have a bigcapital account ?',
organization_name: 'Organization Name',
email: 'Email',
register: 'Register',
password_successfully_updated: 'The Password for your account was successfully updated.',
choose_a_new_password: 'Choose a new password',
you_remembered_your_password: 'You remembered your password ?',
new_password: 'New Password',
submit_new_password: 'Submit new password',
reset_your_password: 'Reset Your Password',
we_ll_send_you_a_link_to_reset_your_password: 'Enter your email address and well send you a link to reset your password.',
send_password_reset_link: 'Send password reset link',
return_to_log_in: 'Return to log in',
sub_account: 'Sub account?',
account_type: 'Account Type',
account_name: 'Account Name',
account_code: 'Account Code',
parent_account: 'Parent Account',
edit: 'Edit',
submit: 'Submit',
close: 'Close',
edit_account: 'Edit Account',
new_account: 'New Account',
edit_currency: 'Edit Currency',
new_currency: 'New Currency',
currency_name: 'Currency Name',
currency_code: 'Currency Code',
edit_exchange_rate: 'Edit Exchange Rate',
new_exchange_rate: 'New Exchange Rate',
delete_exchange_rate: 'Delete Exchange Rate',
exchange_rate: 'Exchange Rate',
currency_code: 'Currency Code',
edit_invite: 'Edit invite',
edit_category: 'Edit Category',
delete_category: 'Delete Category',
new_category: 'New Category',
category_name: 'Category Name',
parent_category: 'Parent Category',
new: 'New',
new_category: 'New Category',
invite_user: 'invite User',
your_access_to_your_team: 'Your teammate will get an email that gives them access to your team.',
invite: 'invite',
count: 'Count',
item_type: 'Item Type',
item_name: 'Item Name',
sku: 'SKU',
category: 'Category',
account: 'Account',
sales_information: 'Sales Information',
purchase_information: 'Purchase Information',
selling_price: 'Selling Price',
cost_price: 'Cost Price',
inventory_information: 'Inventory Information',
inventory_account: 'Inventory Account',
opening_stock: 'Opening Stock',
save: 'Save',
save_as_draft: 'Save as Draft',
active: 'Active',
new_item: 'New Item',
table_views: 'Table Views',
delete: 'Delete',
import: 'Import',
export: 'Export',
filter: 'Filter',
view_details: 'View Details',
edit_item: 'Edit Item',
delete_item: 'Delete Item',
sell_price: 'Sell Price',
cancel: 'Cancel',
move_to_trash: 'Move to Trash',
save_new: 'Save & New',
journal_number: 'Journal number',
credit_currency: 'Credit ({currency})',
debit_currency: 'Debit ({currency})',
note: 'Note',
new_lines: 'New lines',
clear_all_lines: 'Clear all lines',
new_journal: 'New Journal',
publish_journal: 'Publish Journal',
edit_journal: 'Edit Journal',
delete_journal: 'Delete Journal',
amount: 'Amount',
journal_no: 'Journal No.',
status: 'Status',
transaction_type: 'Transaction type',
created_at: 'Created At',
archive: 'Archive',
inactivate: 'Inactivate',
activate: 'Activate',
inactivate_account: 'Inactivate Account',
delete_account: 'Delete Account',
code: 'Code',
type: 'Type',
normal: 'Normal',
balance: 'Balance',
something_wrong: 'Something wrong',
filters: 'Filters',
add_order: 'Add order',
expense_account: 'Expense Account',
payment_account: 'Payment Account',
new_expense: 'New Expense',
bulk_update: 'Bulk Update',
all_accounts: 'All accounts',
go_to_bigcapital_com: '← Go to bigcapital.com',
currency: 'Currency',
new_conditional: '+ New Conditional',
chart_of_accounts: 'Chart of Accounts',
exchange_rate_details: 'Exchange Rate Details',
exchange_rate_list: 'Exchange Rate List',
manual_journals: 'Manual Journals',
edit_expense_details: 'Edit Expense Details',
expenses_list: 'Expenses List',
edit_category_details: 'Edit Category Details',
category_list: 'Category List',
edit_item_details: 'Edit Item Details',
items_list: 'Items List',
edit_custom_view: 'Edit Custom View',
new_custom_view: 'New Custom View',
view_name: 'View Name',
new_conditional: 'New Conditional',
'item': 'Item', 'item': 'Item',
'account': 'Account', 'account': 'Account',
'service_has_been_successful_created': '{service} {name} has been successfully created.', 'service_has_been_successful_created': '{service} {name} has been successfully created.',
@@ -42,22 +179,17 @@ export default {
'the_accounts_has_been_successfully_deleted': 'The accounts have been successfully deleted.', 'the_accounts_has_been_successfully_deleted': 'The accounts have been successfully deleted.',
'are_sure_to_inactive_this_account': 'Are you sure you want to inactive this account? You will be able to activate it later', 'are_sure_to_inactive_this_account': 'Are you sure you want to inactive this account? You will be able to activate it later',
'are_sure_to_activate_this_account': 'Are you sure you want to activate this account? You will be able to inactivate it later', 'are_sure_to_activate_this_account': 'Are you sure you want to activate this account? You will be able to inactivate it later',
'once_delete_this_account_you_will_able_to_restore_it': `Once you delete this account, you won\'t be able to restore it later. Are you sure you want to delete this account?<br /><br />If you're not sure, you can inactivate this account instead.`, 'once_delete_this_account_you_will_able_to_restore_it': `Once you delete this account, you won\'t be able to restore it later. Are you sure you want to delete this account?<br /><br />If you're not sure, you can inactivate this account instead.`,
'the_journal_has_been_successfully_created': 'The journal #{number} has been successfully created.', 'the_journal_has_been_successfully_created': 'The journal #{number} has been successfully created.',
'the_journal_has_been_successfully_edited': 'The journal #{number} has been successfully edited.', 'the_journal_has_been_successfully_edited': 'The journal #{number} has been successfully edited.',
'credit': 'Credit', 'credit': 'Credit',
'debit': 'Debit', 'debit': 'Debit',
'once_delete_this_item_you_will_able_to_restore_it': `Once you delete this item, you won\'t be able to restore the item later. Are you sure you want to delete ?<br /><br />If you're not sure, you can inactivate it instead.`, 'once_delete_this_item_you_will_able_to_restore_it': `Once you delete this item, you won\'t be able to restore the item later. Are you sure you want to delete ?<br /><br />If you're not sure, you can inactivate it instead.`,
'the_item_has_been_successfully_deleted': 'The item has been successfully deleted.', 'the_item_has_been_successfully_deleted': 'The item has been successfully deleted.',
'the_item_category_has_been_successfully_created': 'The item category has been successfully created.', 'the_item_category_has_been_successfully_created': 'The item category has been successfully created.',
'the_item_category_has_been_successfully_edited': 'The item category has been successfully edited.', 'the_item_category_has_been_successfully_edited': 'The item category has been successfully edited.',
'once_delete_these_views_you_will_not_able_restore_them': 'Once you delete the custom view, you won\'t be able to restore it later. Are you sure you want to delete this view?', 'once_delete_these_views_you_will_not_able_restore_them': 'Once you delete the custom view, you won\'t be able to restore it later. Are you sure you want to delete this view?',
'the_custom_view_has_been_successfully_deleted': 'The custom view has been successfully deleted.', 'the_custom_view_has_been_successfully_deleted': 'The custom view has been successfully deleted.',
'teammate_invited_to_organization_account': 'Your teammate has been invited to the organization account.',
'teammate_invited_to_organization_account': 'Your teammate has been invited to the organization account.' 'select_account_type': 'Select account type',
}; };

View File

@@ -7,7 +7,7 @@ export default [
{ {
path: `${BASE_URL}/homepage`, path: `${BASE_URL}/homepage`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Homepage/Homepage') loader: () => import('containers/Homepage/Homepage'),
}), }),
}, },
@@ -15,79 +15,76 @@ export default [
{ {
path: `${BASE_URL}/accounts`, path: `${BASE_URL}/accounts`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Accounts/AccountsChart') loader: () => import('containers/Accounts/AccountsChart'),
}) }),
}, },
// Custom views. // Custom views.
{ {
path: `${BASE_URL}/custom_views/:resource_slug/new`, path: `${BASE_URL}/custom_views/:resource_slug/new`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Views/ViewFormPage') loader: () => import('containers/Views/ViewFormPage'),
}) }),
}, },
{ {
path: `${BASE_URL}/custom_views/:view_id/edit`, path: `${BASE_URL}/custom_views/:view_id/edit`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Views/ViewFormPage') loader: () => import('containers/Views/ViewFormPage'),
}) }),
}, },
// Expenses. // Expenses.
{ {
path: `${BASE_URL}/expenses/new`, path: `${BASE_URL}/expenses/new`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Expenses/ExpenseForm') loader: () => import('containers/Expenses/ExpenseForm'),
}), }),
}, },
{ {
path: `${BASE_URL}/expenses`, path: `${BASE_URL}/expenses`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Expenses/ExpensesList') loader: () => import('containers/Expenses/ExpensesList'),
}) }),
}, },
// Accounting // Accounting
{ {
path: `${BASE_URL}/accounting/make-journal-entry`, path: `${BASE_URL}/accounting/make-journal-entry`,
component: LazyLoader({ component: LazyLoader({
loader: () => loader: () => import('containers/Accounting/MakeJournalEntriesPage'),
import('containers/Accounting/MakeJournalEntriesPage')
}), }),
}, },
{ {
path: `${BASE_URL}/accounting/manual-journals/:id/edit`, path: `${BASE_URL}/accounting/manual-journals/:id/edit`,
component: LazyLoader({ component: LazyLoader({
loader: () => loader: () => import('containers/Accounting/MakeJournalEntriesPage'),
import('containers/Accounting/MakeJournalEntriesPage')
}), }),
}, },
{ {
path: `${BASE_URL}/accounting/manual-journals`, path: `${BASE_URL}/accounting/manual-journals`,
component: LazyLoader({ component: LazyLoader({
loader: () => loader: () => import('containers/Accounting/ManualJournalsList'),
import('containers/Accounting/ManualJournalsList')
}), }),
}, },
{ {
path: `${BASE_URL}/items/categories`, path: `${BASE_URL}/items/categories`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Items/ItemCategoriesList') loader: () => import('containers/Items/ItemCategoriesList'),
}) }),
}, },
{ {
path: `${BASE_URL}/items/new`, path: `${BASE_URL}/items/new`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Items/ItemFormPage') loader: () => import('containers/Items/ItemFormPage'),
}) }),
}, },
// Items // Items
{ {
path: `${BASE_URL}/items`, path: `${BASE_URL}/items`,
component: LazyLoader({ component: LazyLoader({
loader: () => import('containers/Items/ItemsList') loader: () => import('containers/Items/ItemsList'),
}) }),
}, },
// Financial Reports. // Financial Reports.
@@ -95,19 +92,15 @@ export default [
path: `${BASE_URL}/accounting/general-ledger`, path: `${BASE_URL}/accounting/general-ledger`,
component: LazyLoader({ component: LazyLoader({
loader: () => loader: () =>
import( import('containers/FinancialStatements/GeneralLedger/GeneralLedger'),
'containers/FinancialStatements/GeneralLedger/GeneralLedger' }),
)
})
}, },
{ {
path: `${BASE_URL}/accounting/balance-sheet`, path: `${BASE_URL}/accounting/balance-sheet`,
component: LazyLoader({ component: LazyLoader({
loader: () => loader: () =>
import( import('containers/FinancialStatements/BalanceSheet/BalanceSheet'),
'containers/FinancialStatements/BalanceSheet/BalanceSheet' }),
)
})
}, },
{ {
path: `${BASE_URL}/accounting/trial-balance-sheet`, path: `${BASE_URL}/accounting/trial-balance-sheet`,
@@ -115,8 +108,8 @@ export default [
loader: () => loader: () =>
import( import(
'containers/FinancialStatements/TrialBalanceSheet/TrialBalanceSheet' 'containers/FinancialStatements/TrialBalanceSheet/TrialBalanceSheet'
) ),
}) }),
}, },
{ {
path: `${BASE_URL}/accounting/profit-loss-sheet`, path: `${BASE_URL}/accounting/profit-loss-sheet`,
@@ -124,14 +117,20 @@ export default [
loader: () => loader: () =>
import( import(
'containers/FinancialStatements/ProfitLossSheet/ProfitLossSheet' 'containers/FinancialStatements/ProfitLossSheet/ProfitLossSheet'
) ),
}) }),
}, },
{ {
path: `${BASE_URL}/accounting/journal-sheet`, path: `${BASE_URL}/accounting/journal-sheet`,
component: LazyLoader({
loader: () => import('containers/FinancialStatements/Journal/Journal'),
}),
},
{
path: `${BASE_URL}/ExchangeRates`,
component: LazyLoader({ component: LazyLoader({
loader: () => loader: () =>
import('containers/FinancialStatements/Journal/Journal') import('containers/ExchangeRates/ExchangeRate'),
}) }),
}, },
]; ];

View File

@@ -0,0 +1,65 @@
import ApiService from 'services/ApiService';
import t from 'store/types';
export const fetchExchangeRates = () => {
return (dispatch) =>
new Promise((resolve, reject) => {
dispatch({
type: t.SET_DASHBOARD_REQUEST_LOADING,
});
dispatch({
type: t.EXCHANGE_RATE_TABLE_LOADING,
loading: true,
});
ApiService.get('exchange_rates')
.then((response) => {
dispatch({
type: t.EXCHANGE_RATE_LIST_SET,
exchange_rates: response.data.exchange_rates.results,
});
dispatch({
type: t.SET_DASHBOARD_REQUEST_COMPLETED,
});
dispatch({
type: t.EXCHANGE_RATE_TABLE_LOADING,
loading: false,
});
resolve(response);
})
.catch((error) => {
reject(error);
});
});
};
export const submitExchangeRate = ({ form }) => {
return (dispatch) => {
return ApiService.post('exchange_rates', form);
};
};
export const deleteExchangeRate = (id) => {
return (dispatch) => ApiService.delete(`exchange_rates/${id}`);
};
export const editExchangeRate = (id, form) => {
return (dispatch) =>
new Promise((resolve, reject) => {
ApiService.post(`exchange_rates/${id}`, form)
.then((response) => {
dispatch({ type: t.CLEAR_EXCHANGE_RATE_FORM_ERRORS });
resolve(response);
})
.catch((error) => {
const { response } = error;
const { data } = response;
const { errors } = data;
dispatch({ type: t.CLEAR_EXCHANGE_RATE_FORM_ERRORS });
if (errors) {
dispatch({ type: t.CLEAR_EXCHANGE_RATE_FORM_ERRORS, errors });
}
reject(error);
});
});
};

View File

@@ -0,0 +1,23 @@
import { createReducer } from '@reduxjs/toolkit';
import t from 'store/types';
const initialState = {
exchangeRates: {},
};
export default createReducer(initialState, {
[t.EXCHANGE_RATE_LIST_SET]: (state, action) => {
const _exchangeRates = {};
action.exchange_rates.forEach((exchange_rate) => {
_exchangeRates[exchange_rate.id] = exchange_rate;
});
state.exchangeRates = {
...state.exchangeRates,
..._exchangeRates,
};
},
[t.EXCHANGE_RATE_TABLE_LOADING]: (state, action) => {
state.loading = action.loading;
},
});

View File

@@ -0,0 +1,8 @@
export default {
EXCHANGE_RATE_DATA_TABLE: 'EXCHANGE_RATE_DATA_TABLE',
EXCHANGE_RATE_DELETE: 'EXCHANGE_RATE_DELETE',
EXCHANGE_RATE_LIST_SET: 'EXCHANGE_RATE_LIST_SET',
CLEAR_EXCHANGE_RATE_FORM_ERRORS: 'CLEAR_EXCHANGE_RATE_FORM_ERRORS',
ExchangeRates_TABLE_QUERIES_ADD: 'ExchangeRates_TABLE_QUERIES_ADD',
EXCHANGE_RATE_TABLE_LOADING:'EXCHANGE_RATE_TABLE_LOADING'
};

View File

@@ -15,6 +15,7 @@ import itemCategories from './itemCategories/itemsCategory.reducer';
import settings from './settings/settings.reducer'; import settings from './settings/settings.reducer';
import manualJournals from './manualJournals/manualJournals.reducers'; import manualJournals from './manualJournals/manualJournals.reducers';
import globalSearch from './search/search.reducer'; import globalSearch from './search/search.reducer';
import exchangeRates from './ExchangeRate/exchange.reducer'
export default combineReducers({ export default combineReducers({
authentication, authentication,
@@ -32,4 +33,6 @@ export default combineReducers({
itemCategories, itemCategories,
settings, settings,
globalSearch, globalSearch,
exchangeRates
}); });

View File

@@ -15,6 +15,7 @@ import itemCategories from './itemCategories/itemsCategory.type';
import settings from './settings/settings.type'; import settings from './settings/settings.type';
import search from './search/search.type'; import search from './search/search.type';
import register from './registers/register.type'; import register from './registers/register.type';
import exchangeRate from './ExchangeRate/exchange.type';
export default { export default {
...authentication, ...authentication,
@@ -34,4 +35,6 @@ export default {
...accounting, ...accounting,
...search, ...search,
...register, ...register,
...exchangeRate,
}; };

View File

@@ -49,6 +49,7 @@ $pt-font-family: Noto Sans, -apple-system, BlinkMacSystemFont, Segoe UI, Roboto,
@import 'pages/invite-form.scss'; @import 'pages/invite-form.scss';
@import "pages/currency"; @import "pages/currency";
@import "pages/invite-user.scss"; @import "pages/invite-user.scss";
@import 'pages/exchange-rate.scss';
// Views // Views
@import 'views/filter-dropdown'; @import 'views/filter-dropdown';

View File

@@ -0,0 +1,23 @@
.exchangeRate{
&-menu {
width: 240px;
}
}
.dialog--exchangeRate-form {
.bp3-dialog-body {
.bp3-form-group.bp3-inline {
.bp3-label {
min-width: 140px;
}
.bp3-form-content {
width: 250px;
}
}
}
}

View File

@@ -2,7 +2,6 @@ import bcrypt from 'bcryptjs';
import { Model } from 'objection'; import { Model } from 'objection';
import TenantModel from '@/models/TenantModel'; import TenantModel from '@/models/TenantModel';
export default class ExchangeRate extends TenantModel { export default class ExchangeRate extends TenantModel {
/** /**
* Table name. * Table name.