This commit is contained in:
a.bouhuolia
2021-03-04 16:33:52 +02:00
41 changed files with 673 additions and 306 deletions

View File

@@ -0,0 +1,4 @@
export default [
{ name: 'Customer', path: 'customers' },
{ name: 'Vendor', path: 'vendors' },
];

View File

@@ -9,7 +9,7 @@ import ExchangeRateFormDialog from 'containers/Dialogs/ExchangeRateFormDialog';
import InventoryAdjustmentDialog from 'containers/Dialogs/InventoryAdjustmentFormDialog'; import InventoryAdjustmentDialog from 'containers/Dialogs/InventoryAdjustmentFormDialog';
import PaymentViaVoucherDialog from 'containers/Dialogs/PaymentViaVoucherDialog'; import PaymentViaVoucherDialog from 'containers/Dialogs/PaymentViaVoucherDialog';
import KeyboardShortcutsDialog from 'containers/Dialogs/keyboardShortcutsDialog'; import KeyboardShortcutsDialog from 'containers/Dialogs/keyboardShortcutsDialog';
import ContactDuplicateDialog from 'containers/Dialogs/ContactDuplicateDialog';
/** /**
* Dialogs container. * Dialogs container.
*/ */
@@ -24,6 +24,7 @@ export default function DialogsContainer() {
<InventoryAdjustmentDialog dialogName={'inventory-adjustment'} /> <InventoryAdjustmentDialog dialogName={'inventory-adjustment'} />
<PaymentViaVoucherDialog dialogName={'payment-via-voucher'} /> <PaymentViaVoucherDialog dialogName={'payment-via-voucher'} />
<KeyboardShortcutsDialog dialogName={'keyboard-shortcuts'} /> <KeyboardShortcutsDialog dialogName={'keyboard-shortcuts'} />
<ContactDuplicateDialog dialogName={'contact-duplicate'} />
</div> </div>
); );
} }

View File

@@ -44,17 +44,17 @@ export const useManualJournalsColumns = () => {
className: 'journal_type', className: 'journal_type',
}, },
{ {
id: 'publish', id: 'status',
Header: formatMessage({ id: 'publish' }), Header: formatMessage({ id: 'publish' }),
accessor: (row) => StatusAccessor(row), accessor: (row) => StatusAccessor(row),
width: 95, width: 95,
className: 'publish', className: 'status',
}, },
{ {
id: 'note', id: 'note',
Header: formatMessage({ id: 'note' }), Header: formatMessage({ id: 'note' }),
accessor: NoteAccessor, accessor: NoteAccessor,
disableSorting: true, disableSortBy: true,
width: 85, width: 85,
className: 'note', className: 'note',
}, },

View File

@@ -30,7 +30,7 @@ function ItemDeleteAlert({
closeAlert, closeAlert,
// #withItemsActions // #withItemsActions
addItemsTableQueries addItemsTableQueries,
}) { }) {
const { mutateAsync: deleteItem, isLoading } = useDeleteItem(); const { mutateAsync: deleteItem, isLoading } = useDeleteItem();
const { formatMessage } = useIntl(); const { formatMessage } = useIntl();
@@ -53,9 +53,15 @@ function ItemDeleteAlert({
// Reset to page number one. // Reset to page number one.
addItemsTableQueries({ page: 1 }); addItemsTableQueries({ page: 1 });
}) })
.catch(({ errors }) => { .catch(
({
response: {
data: { errors },
},
}) => {
handleDeleteErrors(errors); handleDeleteErrors(errors);
}) },
)
.finally(() => { .finally(() => {
closeAlert(name); closeAlert(name);
}); });
@@ -84,5 +90,5 @@ function ItemDeleteAlert({
export default compose( export default compose(
withAlertStoreConnect(), withAlertStoreConnect(),
withAlertActions, withAlertActions,
withItemsActions withItemsActions,
)(ItemDeleteAlert); )(ItemDeleteAlert);

View File

@@ -25,7 +25,7 @@ export default function CustomerFloatingActions() {
const history = useHistory(); const history = useHistory();
// Customer form context. // Customer form context.
const { customerId, setSubmitPayload } = useCustomerFormContext(); const { isNewMode,setSubmitPayload } = useCustomerFormContext();
// Formik context. // Formik context.
const { resetForm, submitForm, isSubmitting } = useFormikContext(); const { resetForm, submitForm, isSubmitting } = useFormikContext();
@@ -61,7 +61,7 @@ export default function CustomerFloatingActions() {
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
type="submit" type="submit"
onClick={handleSubmitBtnClick} onClick={handleSubmitBtnClick}
text={customerId ? <T id={'edit'} /> : <T id={'save'} />} text={!isNewMode ? <T id={'edit'} /> : <T id={'save'} />}
/> />
<Popover <Popover
content={ content={
@@ -88,7 +88,7 @@ export default function CustomerFloatingActions() {
className={'ml1'} className={'ml1'}
disabled={isSubmitting} disabled={isSubmitting}
onClick={handleClearBtnClick} onClick={handleClearBtnClick}
text={customerId ? <T id={'reset'} /> : <T id={'clear'} />} text={!isNewMode ? <T id={'reset'} /> : <T id={'clear'} />}
/> />
{/* ----------- Cancel ----------- */} {/* ----------- Cancel ----------- */}
<Button <Button

View File

@@ -67,11 +67,13 @@ function CustomerForm({
customer, customer,
customerId, customerId,
submitPayload, submitPayload,
contactDuplicate,
editCustomerMutate, editCustomerMutate,
createCustomerMutate, createCustomerMutate,
isNewMode,
} = useCustomerFormContext(); } = useCustomerFormContext();
const isNewMode = !customerId; // const isNewMode = !customerId;
const history = useHistory(); const history = useHistory();
const { formatMessage } = useIntl(); const { formatMessage } = useIntl();
@@ -82,9 +84,9 @@ function CustomerForm({
() => ({ () => ({
...defaultInitialValues, ...defaultInitialValues,
currency_code: baseCurrency, currency_code: baseCurrency,
...transformToForm(customer, defaultInitialValues), ...transformToForm(customer || contactDuplicate, defaultInitialValues),
}), }),
[customer, baseCurrency], [customer, contactDuplicate, baseCurrency],
); );
//Handles the form submit. //Handles the form submit.
@@ -97,9 +99,9 @@ function CustomerForm({
const onSuccess = () => { const onSuccess = () => {
AppToaster.show({ AppToaster.show({
message: formatMessage({ message: formatMessage({
id: customer id: isNewMode
? 'the_item_customer_has_been_edited_successfully' ? 'the_customer_has_been_created_successfully'
: 'the_customer_has_been_created_successfully', : 'the_item_customer_has_been_edited_successfully',
}), }),
intent: Intent.SUCCESS, intent: Intent.SUCCESS,
}); });
@@ -115,12 +117,12 @@ function CustomerForm({
setSubmitting(false); setSubmitting(false);
}; };
if (customer && customer.id) { if (isNewMode) {
createCustomerMutate(formValues).then(onSuccess).catch(onError);
} else {
editCustomerMutate([customer.id, formValues]) editCustomerMutate([customer.id, formValues])
.then(onSuccess) .then(onSuccess)
.catch(onError); .catch(onError);
} else {
createCustomerMutate(formValues).then(onSuccess).catch(onError);
} }
}; };

View File

@@ -1,4 +1,5 @@
import React, { useState, createContext } from 'react'; import React, { useState, createContext } from 'react';
import { useLocation } from 'react-router-dom';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
import { import {
useCustomers, useCustomers,
@@ -6,17 +7,30 @@ import {
useCurrencies, useCurrencies,
useCreateCustomer, useCreateCustomer,
useEditCustomer, useEditCustomer,
useContact,
} from 'hooks/query'; } from 'hooks/query';
const CustomerFormContext = createContext(); const CustomerFormContext = createContext();
function CustomerFormProvider({ customerId, ...props }) { function CustomerFormProvider({ customerId, ...props }) {
const { state } = useLocation();
const contactId = state?.action;
// Handle fetch customer details. // Handle fetch customer details.
const { data: customer, isFetching: isCustomerLoading } = useCustomer( const { data: customer, isFetching: isCustomerLoading } = useCustomer(
customerId, customerId,
{ {
enabled: !!customerId, enabled: !!customerId,
} },
);
// Handle fetch contact duplicate details.
const { data: contactDuplicate, isFetching: isContactLoading } = useContact(
contactId,
{
enabled: !!contactId,
},
); );
// Handle fetch customers data table // Handle fetch customers data table
@@ -34,12 +48,17 @@ function CustomerFormProvider({ customerId, ...props }) {
const { mutateAsync: editCustomerMutate } = useEditCustomer(); const { mutateAsync: editCustomerMutate } = useEditCustomer();
const { mutateAsync: createCustomerMutate } = useCreateCustomer(); const { mutateAsync: createCustomerMutate } = useCreateCustomer();
// determines whether the form new or duplicate mode.
const isNewMode = contactId || !customerId;
const provider = { const provider = {
customerId, customerId,
customer, customer,
customers, customers,
currencies, currencies,
contactDuplicate,
submitPayload, submitPayload,
isNewMode,
isCustomerLoading, isCustomerLoading,
isCustomersLoading, isCustomersLoading,
@@ -47,12 +66,17 @@ function CustomerFormProvider({ customerId, ...props }) {
setSubmitPayload, setSubmitPayload,
editCustomerMutate, editCustomerMutate,
createCustomerMutate createCustomerMutate,
}; };
return ( return (
<DashboardInsider <DashboardInsider
loading={isCustomerLoading || isCustomerLoading || isCurrenciesLoading} loading={
isCustomerLoading ||
isCustomerLoading ||
isCurrenciesLoading ||
isContactLoading
}
name={'customer-form'} name={'customer-form'}
> >
<CustomerFormContext.Provider value={provider} {...props} /> <CustomerFormContext.Provider value={provider} {...props} />

View File

@@ -29,6 +29,8 @@ function CustomersTable({
// #withAlerts // #withAlerts
openAlert, openAlert,
// #withDialogActions
openDialog,
}) { }) {
const history = useHistory(); const history = useHistory();
@@ -66,6 +68,10 @@ function CustomersTable({
history.push(`/customers/${customer.id}/edit`); history.push(`/customers/${customer.id}/edit`);
}; };
const handleContactDuplicate = ({ id }) => {
openDialog('contact-duplicate', { contactId: id });
};
if (isEmptyStatus) { if (isEmptyStatus) {
return <CustomersEmptyStatus />; return <CustomersEmptyStatus />;
} }
@@ -95,6 +101,7 @@ function CustomersTable({
payload={{ payload={{
onDelete: handleCustomerDelete, onDelete: handleCustomerDelete,
onEdit: handleCustomerEdit, onEdit: handleCustomerEdit,
onDuplicate: handleContactDuplicate,
}} }}
ContextMenu={ActionsMenu} ContextMenu={ActionsMenu}
/> />

View File

@@ -18,7 +18,7 @@ import { useIntl } from 'react-intl';
*/ */
export function ActionsMenu({ export function ActionsMenu({
row: { original }, row: { original },
payload: { onEdit, onDelete }, payload: { onEdit, onDelete ,onDuplicate },
}) { }) {
const { formatMessage } = useIntl(); const { formatMessage } = useIntl();
@@ -34,6 +34,11 @@ export function ActionsMenu({
text={formatMessage({ id: 'edit_customer' })} text={formatMessage({ id: 'edit_customer' })}
onClick={safeCallback(onEdit, original)} onClick={safeCallback(onEdit, original)}
/> />
<MenuItem
icon={<Icon icon="duplicate-18" />}
text={formatMessage({ id: 'duplicate' })}
onClick={safeCallback(onDuplicate, original)}
/>
<MenuItem <MenuItem
icon={<Icon icon="trash-16" iconSize={16} />} icon={<Icon icon="trash-16" iconSize={16} />}
text={formatMessage({ id: 'delete_customer' })} text={formatMessage({ id: 'delete_customer' })}

View File

@@ -0,0 +1,18 @@
import React from 'react';
import ContactDuplicateForm from './ContactDuplicateForm';
import { ContactDuplicateProvider } from './ContactDuplicateProvider';
import 'style/pages/ContactDuplicate/ContactDuplicateDialog.scss';
export default function ContactDuplicateDialogContent({
// #ownProp
contact,
dialogName,
}) {
return (
<ContactDuplicateProvider dialogName={dialogName} contactId={contact}>
<ContactDuplicateForm />
</ContactDuplicateProvider>
);
}

View File

@@ -0,0 +1,109 @@
import React from 'react';
import * as Yup from 'yup';
import { formatMessage } from 'services/intl';
import { Formik, Form, Field, ErrorMessage } from 'formik';
import { inputIntent } from 'utils';
import { ListSelect, FieldRequiredHint } from 'components';
import { Button, FormGroup, Intent, Classes } from '@blueprintjs/core';
import { FormattedMessage as T } from 'react-intl';
import { useHistory } from 'react-router-dom';
import { useContactDuplicateFromContext } from './ContactDuplicateProvider';
import Contacts from 'common/contactsOptions';
import withDialogActions from 'containers/Dialog/withDialogActions';
import { compose } from 'utils';
function ContactDuplicateForm({
// #withDialogActions
closeDialog,
}) {
const history = useHistory();
const { dialogName, contactId } = useContactDuplicateFromContext();
const validationSchema = Yup.object().shape({
contact_type: Yup.string()
.required()
.label(formatMessage({ id: 'contact_type_' })),
});
const initialValues = {
contact_type: '',
};
// Handle cancel button click.
const handleCancelClick = () => {
closeDialog(dialogName);
};
// Handle form submit.
const handleFormSubmit = (values) => {
closeDialog(dialogName);
history.push(`${values.contact_type}/new?duplicate=${contactId}`, {
action: contactId,
});
};
return (
<Formik
validationSchema={validationSchema}
initialValues={initialValues}
onSubmit={handleFormSubmit}
>
{({ isSubmitting }) => (
<Form>
<div className={Classes.DIALOG_BODY}>
<p>
<T id={'are_you_sure_want_to_duplicate'} />
</p>
{/*------------ Contact Type -----------*/}
<Field name={'contact_type'}>
{({ form, meta: { error, touched } }) => (
<FormGroup
label={<T id={'contact_type'} />}
labelInfo={<FieldRequiredHint />}
intent={inputIntent({ error, touched })}
className={'form-group--select-list'}
inline={true}
helperText={<ErrorMessage name="contact_type" />}
>
<ListSelect
items={Contacts}
onItemSelect={({ path }) =>
form.setFieldValue('contact_type', path)
}
defaultText={<T id={'select_contact'} />}
textProp={'name'}
selectedItemProp={'name'}
filterable={false}
popoverProps={{ minimal: true }}
/>
</FormGroup>
)}
</Field>
</div>
<div className={Classes.DIALOG_FOOTER}>
<div className={Classes.DIALOG_FOOTER_ACTIONS}>
<Button onClick={handleCancelClick}>
<T id={'cancel'} />
</Button>
<Button
intent={Intent.PRIMARY}
type="submit"
disabled={isSubmitting}
>
<T id={'duplicate'} />
</Button>
</div>
</div>
</Form>
)}
</Formik>
);
}
export default compose(withDialogActions)(ContactDuplicateForm);

View File

@@ -0,0 +1,26 @@
import React from 'react';
import { DialogContent } from 'components';
const ContactDuplicateContext = React.createContext();
/**
* contact duplicate provider.
*/
function ContactDuplicateProvider({ contactId, dialogName, ...props }) {
// Provider state.
const provider = {
dialogName,
contactId,
};
return (
<DialogContent name={'contact-duplicate'}>
<ContactDuplicateContext.Provider value={provider} {...props} />
</DialogContent>
);
}
const useContactDuplicateFromContext = () =>
React.useContext(ContactDuplicateContext);
export { ContactDuplicateProvider, useContactDuplicateFromContext };

View File

@@ -0,0 +1,33 @@
import React, { lazy } from 'react';
import { FormattedMessage as T } from 'react-intl';
import { Dialog, DialogSuspense } from 'components';
import withDialogRedux from 'components/DialogReduxConnect';
import { compose } from 'utils';
const ContactDialogContent = lazy(() =>
import('./ContactDuplicateDialogContent'),
);
/**
* Contact duplicate dialog.
*/
function ContactDuplicateDialog({ dialogName, payload, isOpen }) {
return (
<Dialog
name={dialogName}
title={<T id={'duplicate_contact'} />}
autoFocus={true}
canEscapeKeyClose={true}
className={'dialog--contact-duplicate'}
isOpen={isOpen}
>
<DialogSuspense>
<ContactDialogContent
dialogName={dialogName}
contact={payload.contactId}
/>
</DialogSuspense>
</Dialog>
);
}
export default compose(withDialogRedux())(ContactDuplicateDialog);

View File

@@ -3,9 +3,6 @@ import React from 'react';
import ExchangeRateForm from './ExchangeRateForm'; import ExchangeRateForm from './ExchangeRateForm';
import { ExchangeRateFormProvider } from './ExchangeRateFormProvider'; import { ExchangeRateFormProvider } from './ExchangeRateFormProvider';
import withExchangeRateDetail from 'containers/ExchangeRates/withExchangeRateDetail';
import { compose } from 'utils';
import 'style/pages/ExchangeRate/ExchangeRateDialog.scss'; import 'style/pages/ExchangeRate/ExchangeRateDialog.scss';
/** /**

View File

@@ -139,28 +139,28 @@ export function useExpensesTableColumns() {
className: 'payment_date', className: 'payment_date',
}, },
{ {
id: 'total_amount', id: 'amount',
Header: formatMessage({ id: 'full_amount' }), Header: formatMessage({ id: 'full_amount' }),
accessor: TotalAmountAccessor, accessor: TotalAmountAccessor,
className: 'total_amount', className: 'amount',
width: 150, width: 150,
}, },
{ {
id: 'payment_account_id', id: 'payment_account',
Header: formatMessage({ id: 'payment_account' }), Header: formatMessage({ id: 'payment_account' }),
accessor: 'payment_account.name', accessor: 'payment_account.name',
className: 'payment_account', className: 'payment_account',
width: 150, width: 150,
}, },
{ {
id: 'expense_account_id', id: 'expense_account',
Header: formatMessage({ id: 'expense_account' }), Header: formatMessage({ id: 'expense_account' }),
accessor: ExpenseAccountAccessor, accessor: ExpenseAccountAccessor,
width: 160, width: 160,
className: 'expense_account', className: 'expense_account',
}, },
{ {
id: 'publish', id: 'published',
Header: formatMessage({ id: 'publish' }), Header: formatMessage({ id: 'publish' }),
accessor: PublishAccessor, accessor: PublishAccessor,
width: 100, width: 100,

View File

@@ -158,7 +158,7 @@ export const useInventoryAdjustmentsColumns = () => {
width: 100, width: 100,
}, },
{ {
id: 'publish', id: 'published_at',
Header: formatMessage({ id: 'status' }), Header: formatMessage({ id: 'status' }),
accessor: PublishAccessor, accessor: PublishAccessor,
width: 95, width: 95,

View File

@@ -60,7 +60,7 @@ function ItemForm({
createItemMutate, createItemMutate,
editItemMutate, editItemMutate,
submitPayload, submitPayload,
isNewMode isNewMode,
} = useItemFormContext(); } = useItemFormContext();
// History context. // History context.
@@ -97,7 +97,11 @@ function ItemForm({
// Transform API errors. // Transform API errors.
const transformApiErrors = (error) => { const transformApiErrors = (error) => {
const { response: { data: { errors } } } = error; const {
response: {
data: { errors },
},
} = error;
const fields = {}; const fields = {};
if (errors.find((e) => e.type === 'ITEM.NAME.ALREADY.EXISTS')) { if (errors.find((e) => e.type === 'ITEM.NAME.ALREADY.EXISTS')) {
@@ -118,7 +122,8 @@ function ItemForm({
AppToaster.show({ AppToaster.show({
message: formatMessage( message: formatMessage(
{ {
id: isNewMode id:
isNewMode
? 'the_item_has_been_created_successfully' ? 'the_item_has_been_created_successfully'
: 'the_item_has_been_edited_successfully', : 'the_item_has_been_edited_successfully',
}, },

View File

@@ -1,5 +1,6 @@
import React, { useEffect, createContext, useState } from 'react'; import React, { useEffect, createContext, useState } from 'react';
import { useIntl } from 'react-intl'; import { useIntl } from 'react-intl';
import { useLocation, useParams } from 'react-router-dom';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
import { import {
useItem, useItem,
@@ -16,6 +17,9 @@ const ItemFormContext = createContext();
* Accounts chart data provider. * Accounts chart data provider.
*/ */
function ItemFormProvider({ itemId, ...props }) { function ItemFormProvider({ itemId, ...props }) {
const { state } = useLocation();
const duplicateId = state?.action;
// Fetches the accounts list. // Fetches the accounts list.
const { isFetching: isAccountsLoading, data: accounts } = useAccounts(); const { isFetching: isAccountsLoading, data: accounts } = useAccounts();
@@ -26,9 +30,12 @@ function ItemFormProvider({ itemId, ...props }) {
} = useItemsCategories(); } = useItemsCategories();
// Fetches the given item details. // Fetches the given item details.
const { isFetching: isItemLoading, data: item } = useItem(itemId, { const { isFetching: isItemLoading, data: item } = useItem(
enabled: !!itemId, itemId || duplicateId,
}); {
enabled: !!itemId || !!duplicateId,
},
);
// Create and edit item mutations. // Create and edit item mutations.
const { mutateAsync: editItemMutate } = useEditItem(); const { mutateAsync: editItemMutate } = useEditItem();
const { mutateAsync: createItemMutate } = useCreateItem(); const { mutateAsync: createItemMutate } = useCreateItem();
@@ -37,7 +44,7 @@ function ItemFormProvider({ itemId, ...props }) {
const [submitPayload, setSubmitPayload] = useState({}); const [submitPayload, setSubmitPayload] = useState({});
// Detarmines whether the form new mode. // Detarmines whether the form new mode.
const isNewMode = !itemId; const isNewMode = duplicateId || !itemId;
// Provider state. // Provider state.
const provider = { const provider = {
@@ -54,7 +61,7 @@ function ItemFormProvider({ itemId, ...props }) {
createItemMutate, createItemMutate,
editItemMutate, editItemMutate,
setSubmitPayload setSubmitPayload,
}; };
// Format message intl. // Format message intl.
@@ -65,9 +72,9 @@ function ItemFormProvider({ itemId, ...props }) {
// Changes the page title in new and edit mode. // Changes the page title in new and edit mode.
useEffect(() => { useEffect(() => {
!isNewMode isNewMode
? changePageTitle(formatMessage({ id: 'edit_item_details' })) ? changePageTitle(formatMessage({ id: 'new_item' }))
: changePageTitle(formatMessage({ id: 'new_item' })); : changePageTitle(formatMessage({ id: 'edit_item_details' }));
}, [changePageTitle, isNewMode, formatMessage]); }, [changePageTitle, isNewMode, formatMessage]);
return ( return (

View File

@@ -7,7 +7,6 @@ import ItemsEmptyStatus from './ItemsEmptyStatus';
import TableSkeletonRows from 'components/Datatable/TableSkeletonRows'; import TableSkeletonRows from 'components/Datatable/TableSkeletonRows';
import TableSkeletonHeader from 'components/Datatable/TableHeaderSkeleton'; import TableSkeletonHeader from 'components/Datatable/TableHeaderSkeleton';
import withItems from 'containers/Items/withItems'; import withItems from 'containers/Items/withItems';
import withItemsActions from 'containers/Items/withItemsActions'; import withItemsActions from 'containers/Items/withItemsActions';
import withAlertsActions from 'containers/Alert/withAlertActions'; import withAlertsActions from 'containers/Alert/withAlertActions';
@@ -94,6 +93,11 @@ function ItemsDataTable({
}; };
// Display empty status instead of the table. // Display empty status instead of the table.
const handleDuplicate = ({ id }) => {
history.push(`/items/new?duplicate=${id}`, { action: id });
};
// Cannot continue in case the items has empty status.
if (isEmptyStatus) { if (isEmptyStatus) {
return <ItemsEmptyStatus />; return <ItemsEmptyStatus />;
} }
@@ -103,29 +107,23 @@ function ItemsDataTable({
columns={columns} columns={columns}
data={items} data={items}
initialState={itemsTableState} initialState={itemsTableState}
loading={isItemsLoading} loading={isItemsLoading}
headerLoading={isItemsLoading} headerLoading={isItemsLoading}
progressBarLoading={isItemsFetching} progressBarLoading={isItemsFetching}
noInitialFetch={true} noInitialFetch={true}
selectionColumn={true} selectionColumn={true}
spinnerProps={{ size: 30 }} spinnerProps={{ size: 30 }}
expandable={false} expandable={false}
sticky={true} sticky={true}
rowClassNames={rowClassNames} rowClassNames={rowClassNames}
pagination={true} pagination={true}
manualSortBy={true} manualSortBy={true}
manualPagination={true} manualPagination={true}
pagesCount={pagination.pagesCount} pagesCount={pagination.pagesCount}
autoResetSortBy={false} autoResetSortBy={false}
autoResetPage={true} autoResetPage={true}
TableLoadingRenderer={TableSkeletonRows} TableLoadingRenderer={TableSkeletonRows}
TableHeaderSkeletonRenderer={TableSkeletonHeader} TableHeaderSkeletonRenderer={TableSkeletonHeader}
ContextMenu={ItemsActionMenuList} ContextMenu={ItemsActionMenuList}
onFetchData={handleFetchData} onFetchData={handleFetchData}
payload={{ payload={{
@@ -134,6 +132,7 @@ function ItemsDataTable({
onInactivateItem: handleInactiveItem, onInactivateItem: handleInactiveItem,
onActivateItem: handleActivateItem, onActivateItem: handleActivateItem,
onMakeAdjustment: handleMakeAdjustment, onMakeAdjustment: handleMakeAdjustment,
onDuplicate: handleDuplicate,
}} }}
noResults={'There is no items in the table yet.'} noResults={'There is no items in the table yet.'}
{...tableProps} {...tableProps}

View File

@@ -79,10 +79,10 @@ export function ItemsActionMenuList({
onActivateItem, onActivateItem,
onMakeAdjustment, onMakeAdjustment,
onDeleteItem, onDeleteItem,
onDuplicate,
}, },
}) { }) {
const { formatMessage } = useIntl(); const { formatMessage } = useIntl();
return ( return (
<Menu> <Menu>
<MenuItem <MenuItem
@@ -95,6 +95,11 @@ export function ItemsActionMenuList({
text={formatMessage({ id: 'edit_item' })} text={formatMessage({ id: 'edit_item' })}
onClick={safeCallback(onEditItem, original)} onClick={safeCallback(onEditItem, original)}
/> />
<MenuItem
icon={<Icon icon="duplicate-18" />}
text={formatMessage({ id: 'duplicate' })}
onClick={safeCallback(onDuplicate, original)}
/>
<If condition={original.active}> <If condition={original.active}>
<MenuItem <MenuItem
text={formatMessage({ id: 'inactivate_item' })} text={formatMessage({ id: 'inactivate_item' })}
@@ -124,7 +129,7 @@ export function ItemsActionMenuList({
/> />
</Menu> </Menu>
); );
}; }
export const ItemsActionsTableCell = (props) => { export const ItemsActionsTableCell = (props) => {
return ( return (
@@ -137,7 +142,6 @@ export const ItemsActionsTableCell = (props) => {
); );
}; };
/** /**
* Retrieve all items table columns. * Retrieve all items table columns.
*/ */
@@ -147,30 +151,35 @@ export const useItemsTableColumns = () => {
return React.useMemo( return React.useMemo(
() => [ () => [
{ {
id: 'name',
Header: formatMessage({ id: 'item_name' }), Header: formatMessage({ id: 'item_name' }),
accessor: 'name', accessor: 'name',
className: 'name', className: 'name',
width: 180, width: 180,
}, },
{ {
id: 'code',
Header: formatMessage({ id: 'item_code' }), Header: formatMessage({ id: 'item_code' }),
accessor: 'code', accessor: 'code',
className: 'code', className: 'code',
width: 120, width: 120,
}, },
{ {
id: 'type',
Header: formatMessage({ id: 'item_type' }), Header: formatMessage({ id: 'item_type' }),
accessor: ItemTypeAccessor, accessor: ItemTypeAccessor,
className: 'item_type', className: 'item_type',
width: 120, width: 120,
}, },
{ {
id: 'category',
Header: formatMessage({ id: 'category' }), Header: formatMessage({ id: 'category' }),
accessor: 'category.name', accessor: 'category.name',
className: 'category', className: 'category',
width: 150, width: 150,
}, },
{ {
id: 'sell_price',
Header: formatMessage({ id: 'sell_price' }), Header: formatMessage({ id: 'sell_price' }),
Cell: SellPriceCell, Cell: SellPriceCell,
accessor: 'sell_price', accessor: 'sell_price',
@@ -178,6 +187,7 @@ export const useItemsTableColumns = () => {
width: 150, width: 150,
}, },
{ {
id: 'cost_price',
Header: formatMessage({ id: 'cost_price' }), Header: formatMessage({ id: 'cost_price' }),
Cell: CostPriceCell, Cell: CostPriceCell,
accessor: 'cost_price', accessor: 'cost_price',
@@ -185,6 +195,7 @@ export const useItemsTableColumns = () => {
width: 150, width: 150,
}, },
{ {
id: 'quantity_on_hand',
Header: formatMessage({ id: 'quantity_on_hand' }), Header: formatMessage({ id: 'quantity_on_hand' }),
accessor: 'quantity_on_hand', accessor: 'quantity_on_hand',
Cell: QuantityOnHandCell, Cell: QuantityOnHandCell,
@@ -199,4 +210,4 @@ export const useItemsTableColumns = () => {
], ],
[formatMessage], [formatMessage],
); );
} };

View File

@@ -112,11 +112,11 @@ export function useBillsTableColumns() {
className: 'bill_date', className: 'bill_date',
}, },
{ {
id: 'vendor_id', id: 'vendor',
Header: formatMessage({ id: 'vendor_name' }), Header: formatMessage({ id: 'vendor_name' }),
accessor: 'vendor.display_name', accessor: 'vendor.display_name',
width: 140, width: 140,
className: 'vendor_id', className: 'vendor',
}, },
{ {
id: 'bill_number', id: 'bill_number',

View File

@@ -83,7 +83,7 @@ export function usePaymentMadesTableColumns() {
className: 'payment_date', className: 'payment_date',
}, },
{ {
id: 'vendor_id', id: 'vendor',
Header: formatMessage({ id: 'vendor_name' }), Header: formatMessage({ id: 'vendor_name' }),
accessor: 'vendor.display_name', accessor: 'vendor.display_name',
width: 140, width: 140,
@@ -98,7 +98,7 @@ export function usePaymentMadesTableColumns() {
className: 'payment_number', className: 'payment_number',
}, },
{ {
id: 'payment_account_id', id: 'payment_account',
Header: formatMessage({ id: 'payment_account' }), Header: formatMessage({ id: 'payment_account' }),
accessor: 'payment_account.name', accessor: 'payment_account.name',
width: 140, width: 140,
@@ -112,7 +112,7 @@ export function usePaymentMadesTableColumns() {
className: 'amount', className: 'amount',
}, },
{ {
id: 'reference', id: 'reference_no',
Header: formatMessage({ id: 'reference' }), Header: formatMessage({ id: 'reference' }),
accessor: 'reference', accessor: 'reference',
width: 140, width: 140,

View File

@@ -153,7 +153,7 @@ export function useEstiamtesTableColumns() {
className: 'estimate_date', className: 'estimate_date',
}, },
{ {
id: 'customer_id', id: 'customer',
Header: formatMessage({ id: 'customer_name' }), Header: formatMessage({ id: 'customer_name' }),
accessor: 'customer.display_name', accessor: 'customer.display_name',
width: 140, width: 140,
@@ -190,11 +190,11 @@ export function useEstiamtesTableColumns() {
className: 'status', className: 'status',
}, },
{ {
id: 'reference', id: 'reference_no',
Header: formatMessage({ id: 'reference_no' }), Header: formatMessage({ id: 'reference_no' }),
accessor: 'reference', accessor: 'reference_no',
width: 140, width: 90,
className: 'reference', className: 'reference_no',
}, },
{ {
id: 'actions', id: 'actions',

View File

@@ -159,7 +159,7 @@ export function useInvoicesTableColumns() {
className: 'invoice_date', className: 'invoice_date',
}, },
{ {
id: 'customer_id', id: 'customer',
Header: formatMessage({ id: 'customer_name' }), Header: formatMessage({ id: 'customer_name' }),
accessor: 'customer.display_name', accessor: 'customer.display_name',
width: 180, width: 180,

View File

@@ -93,7 +93,7 @@ export function usePaymentReceivesColumns() {
className: 'payment_date', className: 'payment_date',
}, },
{ {
id: 'customer_id', id: 'customer',
Header: formatMessage({ id: 'customer_name' }), Header: formatMessage({ id: 'customer_name' }),
accessor: 'customer.display_name', accessor: 'customer.display_name',
width: 160, width: 160,
@@ -122,7 +122,7 @@ export function usePaymentReceivesColumns() {
className: 'reference_no', className: 'reference_no',
}, },
{ {
id: 'deposit_account_id', id: 'deposit_account',
Header: formatMessage({ id: 'deposit_account' }), Header: formatMessage({ id: 'deposit_account' }),
accessor: 'deposit_account.name', accessor: 'deposit_account.name',
width: 140, width: 140,

View File

@@ -104,7 +104,7 @@ export function useReceiptsTableColumns() {
className: 'receipt_date', className: 'receipt_date',
}, },
{ {
id: 'customer_id', id: 'customer',
Header: formatMessage({ id: 'customer_name' }), Header: formatMessage({ id: 'customer_name' }),
accessor: 'customer.display_name', accessor: 'customer.display_name',
width: 140, width: 140,
@@ -119,7 +119,7 @@ export function useReceiptsTableColumns() {
className: 'receipt_number', className: 'receipt_number',
}, },
{ {
id: 'deposit_account_id', id: 'deposit_account',
Header: formatMessage({ id: 'deposit_account' }), Header: formatMessage({ id: 'deposit_account' }),
accessor: 'deposit_account.name', accessor: 'deposit_account.name',
width: 140, width: 140,

View File

@@ -69,11 +69,11 @@ function VendorForm({
// #withSettings // #withSettings
baseCurrency, baseCurrency,
}) { }) {
// Vendor form context. // Vendor form context.
const { const {
vendorId, vendorId,
vendor, vendor,
contactDuplicate,
createVendorMutate, createVendorMutate,
editVendorMutate, editVendorMutate,
setSubmitPayload, setSubmitPayload,
@@ -94,9 +94,9 @@ function VendorForm({
() => ({ () => ({
...defaultInitialValues, ...defaultInitialValues,
currency_code: baseCurrency, currency_code: baseCurrency,
...transformToForm(vendor, defaultInitialValues), ...transformToForm(vendor || contactDuplicate, defaultInitialValues),
}), }),
[vendor, baseCurrency], [vendor, contactDuplicate, baseCurrency],
); );
useEffect(() => { useEffect(() => {

View File

@@ -1,8 +1,12 @@
import React, { useState, createContext } from 'react'; import React, { useState, createContext } from 'react';
import { omit, pick } from 'lodash';
import { useLocation } from 'react-router-dom';
import DashboardInsider from 'components/Dashboard/DashboardInsider'; import DashboardInsider from 'components/Dashboard/DashboardInsider';
import { import {
useVendor, useVendor,
useContact,
useCurrencies, useCurrencies,
useCustomer,
useCreateVendor, useCreateVendor,
useEditVendor, useEditVendor,
} from 'hooks/query'; } from 'hooks/query';
@@ -13,6 +17,8 @@ const VendorFormContext = createContext();
* Vendor form provider. * Vendor form provider.
*/ */
function VendorFormProvider({ vendorId, ...props }) { function VendorFormProvider({ vendorId, ...props }) {
const { state } = useLocation();
// Handle fetch Currencies data table // Handle fetch Currencies data table
const { data: currencies, isFetching: isCurrenciesLoading } = useCurrencies(); const { data: currencies, isFetching: isCurrenciesLoading } = useCurrencies();
@@ -21,6 +27,16 @@ function VendorFormProvider({ vendorId, ...props }) {
enabled: !!vendorId, enabled: !!vendorId,
}); });
const contactId = state?.action;
// Handle fetch contact duplicate details.
const { data: contactDuplicate, isFetching: isContactLoading } = useContact(
contactId,
{
enabled: !!contactId,
},
);
// Create and edit vendor mutations. // Create and edit vendor mutations.
const { mutateAsync: createVendorMutate } = useCreateVendor(); const { mutateAsync: createVendorMutate } = useCreateVendor();
const { mutateAsync: editVendorMutate } = useEditVendor(); const { mutateAsync: editVendorMutate } = useEditVendor();
@@ -32,6 +48,7 @@ function VendorFormProvider({ vendorId, ...props }) {
vendorId, vendorId,
currencies, currencies,
vendor, vendor,
contactDuplicate: { ...omit(contactDuplicate, ['opening_balance_at']) },
submitPayload, submitPayload,
createVendorMutate, createVendorMutate,
@@ -41,7 +58,7 @@ function VendorFormProvider({ vendorId, ...props }) {
return ( return (
<DashboardInsider <DashboardInsider
loading={isVendorLoading || isCurrenciesLoading} loading={isVendorLoading || isContactLoading || isCurrenciesLoading}
name={'vendor-form'} name={'vendor-form'}
> >
<VendorFormContext.Provider value={provider} {...props} /> <VendorFormContext.Provider value={provider} {...props} />

View File

@@ -11,6 +11,7 @@ import { useVendorsListContext } from './VendorsListProvider';
import withVendorsActions from './withVendorsActions'; import withVendorsActions from './withVendorsActions';
import withVendors from './withVendors'; import withVendors from './withVendors';
import withAlertsActions from 'containers/Alert/withAlertActions'; import withAlertsActions from 'containers/Alert/withAlertActions';
import withDialogActions from 'containers/Dialog/withDialogActions';
import { compose } from 'utils'; import { compose } from 'utils';
import { ActionsMenu, useVendorsTableColumns } from './components'; import { ActionsMenu, useVendorsTableColumns } from './components';
@@ -27,6 +28,8 @@ function VendorsTable({
// #withAlertsActions // #withAlertsActions
openAlert, openAlert,
// #withDialogActions
openDialog,
}) { }) {
// Vendors list context. // Vendors list context.
const { const {
@@ -34,7 +37,7 @@ function VendorsTable({
pagination, pagination,
isVendorsFetching, isVendorsFetching,
isVendorsLoading, isVendorsLoading,
isEmptyStatus isEmptyStatus,
} = useVendorsListContext(); } = useVendorsListContext();
// Vendors table columns. // Vendors table columns.
@@ -53,6 +56,12 @@ function VendorsTable({
openAlert('vendor-delete', { vendorId: id }); openAlert('vendor-delete', { vendorId: id });
}; };
// Handle contact duplicate .
const handleContactDuplicate = ({ id }) => {
openDialog('contact-duplicate', {
contactId: id,
});
};
// Handle fetch data once the page index, size or sort by of the table change. // Handle fetch data once the page index, size or sort by of the table change.
const handleFetchData = React.useCallback( const handleFetchData = React.useCallback(
({ pageSize, pageIndex, sortBy }) => { ({ pageSize, pageIndex, sortBy }) => {
@@ -67,7 +76,7 @@ function VendorsTable({
// Display empty status instead of the table. // Display empty status instead of the table.
if (isEmptyStatus) { if (isEmptyStatus) {
return <VendorsEmptyStatus /> return <VendorsEmptyStatus />;
} }
return ( return (
@@ -94,6 +103,7 @@ function VendorsTable({
payload={{ payload={{
onEdit: handleEditVendor, onEdit: handleEditVendor,
onDelete: handleDeleteVendor, onDelete: handleDeleteVendor,
onDuplicate: handleContactDuplicate,
}} }}
/> />
); );
@@ -102,5 +112,6 @@ function VendorsTable({
export default compose( export default compose(
withVendorsActions, withVendorsActions,
withAlertsActions, withAlertsActions,
withDialogActions,
withVendors(({ vendorsTableState }) => ({ vendorsTableState })), withVendors(({ vendorsTableState }) => ({ vendorsTableState })),
)(VendorsTable); )(VendorsTable);

View File

@@ -17,7 +17,7 @@ import { safeCallback, firstLettersArgs } from 'utils';
*/ */
export function ActionsMenu({ export function ActionsMenu({
row: { original }, row: { original },
payload: { onEdit, onDelete }, payload: { onEdit, onDelete, onDuplicate },
}) { }) {
const { formatMessage } = useIntl(); const { formatMessage } = useIntl();
@@ -33,6 +33,11 @@ export function ActionsMenu({
text={formatMessage({ id: 'edit_vendor' })} text={formatMessage({ id: 'edit_vendor' })}
onClick={safeCallback(onEdit, original)} onClick={safeCallback(onEdit, original)}
/> />
<MenuItem
icon={<Icon icon="duplicate-18" />}
text={formatMessage({ id: 'duplicate' })}
onClick={safeCallback(onDuplicate, original)}
/>
<MenuItem <MenuItem
icon={<Icon icon="trash-16" iconSize={16} />} icon={<Icon icon="trash-16" iconSize={16} />}
text={formatMessage({ id: 'delete_vendor' })} text={formatMessage({ id: 'delete_vendor' })}

View File

@@ -0,0 +1,14 @@
import { useQuery } from 'react-query';
import useApiRequest from '../useRequest';
/**
* Retrieve the contact duplicate.
*/
export function useContact(id, props) {
const apiRequest = useApiRequest();
return useQuery(['CONTACT', id], () => apiRequest.get(`contacts/${id}`), {
select: (res) => res.data.customer,
...props,
});
}

View File

@@ -20,3 +20,4 @@ export * from './settings';
export * from './users'; export * from './users';
export * from './invite'; export * from './invite';
export * from './exchangeRates'; export * from './exchangeRates';
export * from './contacts';

View File

@@ -990,4 +990,10 @@ export default {
convert_to_invoice: 'Convert to Invoice', convert_to_invoice: 'Convert to Invoice',
sale_estimate_is_already_converted_to_invoice: sale_estimate_is_already_converted_to_invoice:
'Sale estimate is already converted to invoice.', 'Sale estimate is already converted to invoice.',
duplicate: 'Duplicate',
are_you_sure_want_to_duplicate:
'Are you sure want to duplicate this contact, which contact type?',
contact_type: 'Contact Type',
duplicate_contact: 'Duplicate Contact',
contact_type_: 'Contact type',
}; };

View File

@@ -4,7 +4,6 @@ import { formatMessage } from 'services/intl';
// const BASE_URL = '/dashboard'; // const BASE_URL = '/dashboard';
export default [ export default [
// Accounts. // Accounts.
{ {
path: `/accounts`, path: `/accounts`,
@@ -72,6 +71,13 @@ export default [
pageTitle: formatMessage({ id: 'edit_item' }), pageTitle: formatMessage({ id: 'edit_item' }),
backLink: true, backLink: true,
}, },
{
path: `/items/new?duplicate=/:id`,
component: lazy({
loader: () => import('containers/Items/ItemFormPage'),
}),
breadcrumb: 'Duplicate Item',
},
{ {
path: `/items/new`, path: `/items/new`,
component: lazy(() => import('containers/Items/ItemFormPage')), component: lazy(() => import('containers/Items/ItemFormPage')),
@@ -132,7 +138,7 @@ export default [
hotkey: 'shift+5', hotkey: 'shift+5',
pageTitle: formatMessage({ id: 'trial_balance_sheet' }), pageTitle: formatMessage({ id: 'trial_balance_sheet' }),
backLink: true, backLink: true,
sidebarShrink: true sidebarShrink: true,
}, },
{ {
path: `/financial-reports/profit-loss-sheet`, path: `/financial-reports/profit-loss-sheet`,
@@ -254,6 +260,16 @@ export default [
hotkey: 'shift+c', hotkey: 'shift+c',
pageTitle: formatMessage({ id: 'customers_list' }), pageTitle: formatMessage({ id: 'customers_list' }),
}, },
{
path: `/customers/contact_duplicate=/:id`,
component: lazy(() =>
import('containers/Customers/CustomerForm/CustomerFormPage'),
),
name: 'duplicate-customer',
breadcrumb: 'Duplicate Customer',
pageTitle: formatMessage({ id: 'new_customer' }),
backLink: true,
},
// Vendors // Vendors
{ {
@@ -286,6 +302,16 @@ export default [
hotkey: 'shift+v', hotkey: 'shift+v',
pageTitle: formatMessage({ id: 'vendors_list' }), pageTitle: formatMessage({ id: 'vendors_list' }),
}, },
{
path: `/vendors/contact_duplicate=/:id`,
component: lazy(() =>
import('containers/Vendors/VendorForm/VendorFormPage'),
),
name: 'duplicate-vendor',
breadcrumb: 'Duplicate Vendor',
pageTitle: formatMessage({ id: 'new_vendor' }),
backLink: true,
},
// Estimates // Estimates
{ {

View File

@@ -406,4 +406,10 @@ export default {
], ],
viewBox: '0 0 24 24', viewBox: '0 0 24 24',
}, },
'duplicate-18': {
path: [
'M16 1H4c-1.1 0-2 .9-2 2v14h2V3h12V1zm3 4H8c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h11c1.1 0 2-.9 2-2V7c0-1.1-.9-2-2-2zm0 16H8V7h11v14z',
],
viewBox: '0 0 24 24',
},
}; };

View File

@@ -0,0 +1,20 @@
.dialog--contact-duplicate {
.bp3-dialog-body {
.bp3-form-group.bp3-inline {
margin: 18px 0px;
.bp3-label {
min-width: 100px;
}
}
.bp3-button:not([class*='bp3-intent-']):not(.bp3-minimal) {
width: 260px;
}
}
.bp3-dialog-footer {
.bp3-dialog-footer-actions .bp3-button {
margin-left: 8px;
min-width: 65px;
}
}
}

View File

@@ -1,19 +1,19 @@
import { Model } from 'objection'; import { Model } from "objection";
import TenantModel from 'models/TenantModel'; import TenantModel from "models/TenantModel";
export default class BillPayment extends TenantModel { export default class BillPayment extends TenantModel {
/** /**
* Table name * Table name
*/ */
static get tableName() { static get tableName() {
return 'bills_payments'; return "bills_payments";
} }
/** /**
* Timestamps columns. * Timestamps columns.
*/ */
get timestamps() { get timestamps() {
return ['createdAt', 'updatedAt']; return ["createdAt", "updatedAt"];
} }
static get resourceable() { static get resourceable() {
@@ -24,18 +24,18 @@ export default class BillPayment extends TenantModel {
* Relationship mapping. * Relationship mapping.
*/ */
static get relationMappings() { static get relationMappings() {
const BillPaymentEntry = require('models/BillPaymentEntry'); const BillPaymentEntry = require("models/BillPaymentEntry");
const AccountTransaction = require('models/AccountTransaction'); const AccountTransaction = require("models/AccountTransaction");
const Contact = require('models/Contact'); const Contact = require("models/Contact");
const Account = require('models/Account'); const Account = require("models/Account");
return { return {
entries: { entries: {
relation: Model.HasManyRelation, relation: Model.HasManyRelation,
modelClass: BillPaymentEntry.default, modelClass: BillPaymentEntry.default,
join: { join: {
from: 'bills_payments.id', from: "bills_payments.id",
to: 'bills_payments_entries.billPaymentId', to: "bills_payments_entries.billPaymentId",
}, },
}, },
@@ -43,20 +43,20 @@ export default class BillPayment extends TenantModel {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: Contact.default, modelClass: Contact.default,
join: { join: {
from: 'bills_payments.vendorId', from: "bills_payments.vendorId",
to: 'contacts.id', to: "contacts.id",
}, },
filter(query) { filter(query) {
query.where('contact_service', 'vendor'); query.where("contact_service", "vendor");
} },
}, },
paymentAccount: { paymentAccount: {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: Account.default, modelClass: Account.default,
join: { join: {
from: 'bills_payments.paymentAccountId', from: "bills_payments.paymentAccountId",
to: 'accounts.id', to: "accounts.id",
}, },
}, },
@@ -64,11 +64,11 @@ export default class BillPayment extends TenantModel {
relation: Model.HasManyRelation, relation: Model.HasManyRelation,
modelClass: AccountTransaction.default, modelClass: AccountTransaction.default,
join: { join: {
from: 'bills_payments.id', from: "bills_payments.id",
to: 'accounts_transactions.referenceId' to: "accounts_transactions.referenceId",
}, },
filter(builder) { filter(builder) {
builder.where('reference_type', 'BillPayment'); builder.where("reference_type", "BillPayment");
}, },
}, },
}; };
@@ -80,16 +80,22 @@ export default class BillPayment extends TenantModel {
static get fields() { static get fields() {
return { return {
vendor: { vendor: {
lable: "Vendor name", label: "Vendor name",
column: 'vendor_id', column: "vendor_id",
relation: 'contacts.id', relation: "contacts.id",
relationColumn: 'contacts.display_name', relationColumn: "contacts.display_name",
}, },
amount: { amount: {
label: "Amount", label: "Amount",
column: "amount", column: "amount",
columnType: 'number', columnType: "number",
fieldType: 'number', fieldType: "number",
},
due_amount: {
label: "Due amount",
column: "due_amount",
columnType: "number",
fieldType: "number",
}, },
payment_account: { payment_account: {
label: "Payment account", label: "Payment account",
@@ -97,40 +103,40 @@ export default class BillPayment extends TenantModel {
relation: "accounts.id", relation: "accounts.id",
relationColumn: "accounts.name", relationColumn: "accounts.name",
fieldType: 'options', fieldType: "options",
optionsResource: 'Account', optionsResource: "Account",
optionsKey: 'id', optionsKey: "id",
optionsLabel: 'name', optionsLabel: "name",
}, },
payment_number: { payment_number: {
label: "Payment number", label: "Payment number",
column: "payment_number", column: "payment_number",
columnType: 'string', columnType: "string",
fieldType: 'text', fieldType: "text",
}, },
payment_date: { payment_date: {
label: "Payment date", label: "Payment date",
column: "payment_date", column: "payment_date",
columnType: 'date', columnType: "date",
fieldType: 'date', fieldType: "date",
}, },
reference_no: { reference_no: {
label: "Reference No.", label: "Reference No.",
column: "reference", column: "reference",
columnType: 'string', columnType: "string",
fieldType: 'text', fieldType: "text",
}, },
description: { description: {
label: "Description", label: "Description",
column: "description", column: "description",
columnType: 'string', columnType: "string",
fieldType: 'text', fieldType: "text",
}, },
created_at: { created_at: {
label: 'Created at', label: "Created at",
column: 'created_at', column: "created_at",
columnType: 'date', columnType: "date",
}, },
} };
} }
} }

View File

@@ -1,22 +1,20 @@
import { Model } from 'objection'; import { Model } from "objection";
import TenantModel from 'models/TenantModel'; import TenantModel from "models/TenantModel";
import { import { buildFilterQuery } from "lib/ViewRolesBuilder";
buildFilterQuery,
} from 'lib/ViewRolesBuilder';
export default class Item extends TenantModel { export default class Item extends TenantModel {
/** /**
* Table name * Table name
*/ */
static get tableName() { static get tableName() {
return 'items'; return "items";
} }
/** /**
* Model timestamps. * Model timestamps.
*/ */
get timestamps() { get timestamps() {
return ['createdAt', 'updatedAt']; return ["createdAt", "updatedAt"];
} }
/** /**
@@ -44,9 +42,9 @@ export default class Item extends TenantModel {
* Relationship mapping. * Relationship mapping.
*/ */
static get relationMappings() { static get relationMappings() {
const Media = require('models/Media'); const Media = require("models/Media");
const Account = require('models/Account'); const Account = require("models/Account");
const ItemCategory = require('models/ItemCategory'); const ItemCategory = require("models/ItemCategory");
return { return {
/** /**
@@ -56,8 +54,8 @@ export default class Item extends TenantModel {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: ItemCategory.default, modelClass: ItemCategory.default,
join: { join: {
from: 'items.categoryId', from: "items.categoryId",
to: 'items_categories.id', to: "items_categories.id",
}, },
}, },
@@ -65,8 +63,8 @@ export default class Item extends TenantModel {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: Account.default, modelClass: Account.default,
join: { join: {
from: 'items.costAccountId', from: "items.costAccountId",
to: 'accounts.id', to: "accounts.id",
}, },
}, },
@@ -74,8 +72,8 @@ export default class Item extends TenantModel {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: Account.default, modelClass: Account.default,
join: { join: {
from: 'items.sellAccountId', from: "items.sellAccountId",
to: 'accounts.id', to: "accounts.id",
}, },
}, },
@@ -83,8 +81,8 @@ export default class Item extends TenantModel {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: Account.default, modelClass: Account.default,
join: { join: {
from: 'items.inventoryAccountId', from: "items.inventoryAccountId",
to: 'accounts.id', to: "accounts.id",
}, },
}, },
@@ -92,13 +90,13 @@ export default class Item extends TenantModel {
relation: Model.ManyToManyRelation, relation: Model.ManyToManyRelation,
modelClass: Media.default, modelClass: Media.default,
join: { join: {
from: 'items.id', from: "items.id",
through: { through: {
from: 'media_links.model_id', from: "media_links.model_id",
to: 'media_links.media_id', to: "media_links.media_id",
},
to: "media.id",
}, },
to: 'media.id',
}
}, },
}; };
} }
@@ -109,72 +107,76 @@ export default class Item extends TenantModel {
static get fields() { static get fields() {
return { return {
type: { type: {
label: 'Type', label: "Type",
column: 'type', column: "type",
}, },
name: { name: {
label: 'Name', label: "Name",
column: 'name', column: "name",
},
code: {
label: "Code",
column: "code",
}, },
sellable: { sellable: {
label: 'Sellable', label: "Sellable",
column: 'sellable', column: "sellable",
}, },
purchasable: { purchasable: {
label: 'Purchasable', label: "Purchasable",
column: 'purchasable', column: "purchasable",
}, },
sell_price: { sell_price: {
label: 'Sell price', label: "Sell price",
column: 'sell_price' column: "sell_price",
}, },
cost_price: { cost_price: {
label: 'Cost price', label: "Cost price",
column: 'cost_price', column: "cost_price",
}, },
currency_code: { currency_code: {
label: 'Currency', label: "Currency",
column: 'currency_code', column: "currency_code",
}, },
cost_account: { cost_account: {
label: 'Cost account', label: "Cost account",
column: 'cost_account_id', column: "cost_account_id",
relation: 'accounts.id', relation: "accounts.id",
relationColumn: 'accounts.name', relationColumn: "accounts.name",
}, },
sell_account: { sell_account: {
label: 'Sell account', label: "Sell account",
column: 'sell_account_id', column: "sell_account_id",
relation: 'accounts.id', relation: "accounts.id",
relationColumn: 'accounts.name', relationColumn: "accounts.name",
}, },
inventory_account: { inventory_account: {
label: "Inventory account", label: "Inventory account",
column: 'inventory_account_id', column: "inventory_account_id",
relation: 'accounts.id', relation: "accounts.id",
relationColumn: 'accounts.name', relationColumn: "accounts.name",
}, },
sell_description: { sell_description: {
label: "Sell description", label: "Sell description",
column: 'sell_description', column: "sell_description",
}, },
purchase_description: { purchase_description: {
label: "Purchase description", label: "Purchase description",
column: 'purchase_description', column: "purchase_description",
}, },
quantity_on_hand: { quantity_on_hand: {
label: "Quantity on hand", label: "Quantity on hand",
column: 'quantity_on_hand', column: "quantity_on_hand",
}, },
note: { note: {
label: 'Note', label: "Note",
column: 'note', column: "note",
}, },
category: { category: {
label: "Category", label: "Category",
column: 'category_id', column: "category_id",
relation: 'items_categories.id', relation: "items_categories.id",
relationColumn: 'items_categories.name', relationColumn: "items_categories.name",
}, },
// user: { // user: {
// label: 'User', // label: 'User',
@@ -183,10 +185,10 @@ export default class Item extends TenantModel {
// relationColumn: 'users.', // relationColumn: 'users.',
// }, // },
created_at: { created_at: {
label: 'Created at', label: "Created at",
column: 'created_at', column: "created_at",
columnType: 'date', columnType: "date",
fieldType: 'date', fieldType: "date",
}, },
}; };
} }

View File

@@ -172,6 +172,12 @@ export default class SaleEstimate extends TenantModel {
columnType: 'number', columnType: 'number',
fieldType: 'number', fieldType: 'number',
}, },
estimate_number: {
label: 'Estimate number',
column: 'estimate_number',
columnType: 'text',
fieldType: 'text',
},
customer: { customer: {
label: 'Customer', label: 'Customer',
column: 'customer_id', column: 'customer_id',
@@ -195,6 +201,12 @@ export default class SaleEstimate extends TenantModel {
columnType: 'date', columnType: 'date',
fieldType: 'date', fieldType: 'date',
}, },
reference_no: {
label: "Reference No.",
column: "reference_no",
columnType: "number",
fieldType: "number",
},
note: { note: {
label: 'Note', label: 'Note',
column: 'note', column: 'note',

View File

@@ -1,6 +1,5 @@
import { Model, raw } from 'objection'; import { Model, raw } from 'objection';
import moment from 'moment'; import moment from 'moment';
import knex from 'knex';
import TenantModel from 'models/TenantModel'; import TenantModel from 'models/TenantModel';
export default class SaleInvoice extends TenantModel { export default class SaleInvoice extends TenantModel {
@@ -8,14 +7,14 @@ export default class SaleInvoice extends TenantModel {
* Table name * Table name
*/ */
static get tableName() { static get tableName() {
return 'sales_invoices'; return "sales_invoices";
} }
/** /**
* Timestamps columns. * Timestamps columns.
*/ */
get timestamps() { get timestamps() {
return ['created_at', 'updated_at']; return ["created_at", "updated_at"];
} }
/** /**
@@ -23,14 +22,14 @@ export default class SaleInvoice extends TenantModel {
*/ */
static get virtualAttributes() { static get virtualAttributes() {
return [ return [
'dueAmount', "dueAmount",
'isDelivered', "isDelivered",
'isOverdue', "isOverdue",
'isPartiallyPaid', "isPartiallyPaid",
'isFullyPaid', "isFullyPaid",
'isPaid', "isPaid",
'remainingDays', "remainingDays",
'overdueDays', "overdueDays",
]; ];
} }
@@ -96,7 +95,7 @@ export default class SaleInvoice extends TenantModel {
const date = moment(); const date = moment();
const dueDate = moment(this.dueDate); const dueDate = moment(this.dueDate);
return Math.max(dueDate.diff(date, 'days'), 0); return Math.max(dueDate.diff(date, "days"), 0);
} }
/** /**
@@ -115,7 +114,7 @@ export default class SaleInvoice extends TenantModel {
* *
* @param {*} asDate * @param {*} asDate
*/ */
getOverdueDays(asDate = moment().format('YYYY-MM-DD')) { getOverdueDays(asDate = moment().format("YYYY-MM-DD")) {
// Can't continue in case due date not defined. // Can't continue in case due date not defined.
if (!this.dueDate) { if (!this.dueDate) {
return null; return null;
@@ -124,7 +123,7 @@ export default class SaleInvoice extends TenantModel {
const date = moment(asDate); const date = moment(asDate);
const dueDate = moment(this.dueDate); const dueDate = moment(this.dueDate);
return Math.max(date.diff(dueDate, 'days'), 0); return Math.max(date.diff(dueDate, "days"), 0);
} }
/** /**
@@ -136,65 +135,65 @@ export default class SaleInvoice extends TenantModel {
* Filters the due invoices. * Filters the due invoices.
*/ */
dueInvoices(query) { dueInvoices(query) {
query.where(raw('BALANCE - PAYMENT_AMOUNT > 0')); query.where(raw("BALANCE - PAYMENT_AMOUNT > 0"));
}, },
/** /**
* Filters the invoices between the given date range. * Filters the invoices between the given date range.
*/ */
filterDateRange(query, startDate, endDate, type = 'day') { filterDateRange(query, startDate, endDate, type = "day") {
const dateFormat = 'YYYY-MM-DD HH:mm:ss'; const dateFormat = "YYYY-MM-DD HH:mm:ss";
const fromDate = moment(startDate).startOf(type).format(dateFormat); const fromDate = moment(startDate).startOf(type).format(dateFormat);
const toDate = moment(endDate).endOf(type).format(dateFormat); const toDate = moment(endDate).endOf(type).format(dateFormat);
if (startDate) { if (startDate) {
query.where('invoice_date', '>=', fromDate); query.where("invoice_date", ">=", fromDate);
} }
if (endDate) { if (endDate) {
query.where('invoice_date', '<=', toDate); query.where("invoice_date", "<=", toDate);
} }
}, },
/** /**
* Filters the invoices in draft status. * Filters the invoices in draft status.
*/ */
draft(query) { draft(query) {
query.where('delivered_at', null); query.where("delivered_at", null);
}, },
/** /**
* Filters the delivered invoices. * Filters the delivered invoices.
*/ */
delivered(query) { delivered(query) {
query.whereNot('delivered_at', null); query.whereNot("delivered_at", null);
}, },
/** /**
* Filters the unpaid invoices. * Filters the unpaid invoices.
*/ */
unpaid(query) { unpaid(query) {
query.where(raw('PAYMENT_AMOUNT = 0')); query.where(raw("PAYMENT_AMOUNT = 0"));
}, },
/** /**
* Filters the overdue invoices. * Filters the overdue invoices.
*/ */
overdue(query, asDate = moment().format('YYYY-MM-DD')) { overdue(query, asDate = moment().format("YYYY-MM-DD")) {
query.where('due_date', '<', asDate); query.where("due_date", "<", asDate);
}, },
/** /**
* Filters the not overdue invoices. * Filters the not overdue invoices.
*/ */
notOverdue(query, asDate = moment().format('YYYY-MM-DD')) { notOverdue(query, asDate = moment().format("YYYY-MM-DD")) {
query.where('due_date', '>=', asDate); query.where("due_date", ">=", asDate);
}, },
/** /**
* Filters the partially invoices. * Filters the partially invoices.
*/ */
partiallyPaid(query) { partiallyPaid(query) {
query.whereNot('payment_amount', 0); query.whereNot("payment_amount", 0);
query.whereNot(raw('`PAYMENT_AMOUNT` = `BALANCE`')); query.whereNot(raw("`PAYMENT_AMOUNT` = `BALANCE`"));
}, },
/** /**
* Filters the paid invoices. * Filters the paid invoices.
*/ */
paid(query) { paid(query) {
query.where(raw('PAYMENT_AMOUNT = BALANCE')); query.where(raw("PAYMENT_AMOUNT = BALANCE"));
}, },
/** /**
* Filters the sale invoices from the given date. * Filters the sale invoices from the given date.
@@ -239,22 +238,22 @@ export default class SaleInvoice extends TenantModel {
* Relationship mapping. * Relationship mapping.
*/ */
static get relationMappings() { static get relationMappings() {
const AccountTransaction = require('models/AccountTransaction'); const AccountTransaction = require("models/AccountTransaction");
const ItemEntry = require('models/ItemEntry'); const ItemEntry = require("models/ItemEntry");
const Contact = require('models/Contact'); const Contact = require("models/Contact");
const InventoryCostLotTracker = require('models/InventoryCostLotTracker'); const InventoryCostLotTracker = require("models/InventoryCostLotTracker");
const PaymentReceiveEntry = require('models/PaymentReceiveEntry'); const PaymentReceiveEntry = require("models/PaymentReceiveEntry");
return { return {
entries: { entries: {
relation: Model.HasManyRelation, relation: Model.HasManyRelation,
modelClass: ItemEntry.default, modelClass: ItemEntry.default,
join: { join: {
from: 'sales_invoices.id', from: "sales_invoices.id",
to: 'items_entries.referenceId', to: "items_entries.referenceId",
}, },
filter(builder) { filter(builder) {
builder.where('reference_type', 'SaleInvoice'); builder.where("reference_type", "SaleInvoice");
}, },
}, },
@@ -262,8 +261,8 @@ export default class SaleInvoice extends TenantModel {
relation: Model.BelongsToOneRelation, relation: Model.BelongsToOneRelation,
modelClass: Contact.default, modelClass: Contact.default,
join: { join: {
from: 'sales_invoices.customerId', from: "sales_invoices.customerId",
to: 'contacts.id', to: "contacts.id",
}, },
filter(query) { filter(query) {
query.where('contact_service', 'Customer'); query.where('contact_service', 'Customer');
@@ -277,31 +276,13 @@ export default class SaleInvoice extends TenantModel {
from: 'sales_invoices.id', from: 'sales_invoices.id',
to: 'accounts_transactions.referenceId', to: 'accounts_transactions.referenceId',
}, },
filter(builder) {
builder.where('reference_type', 'SaleInvoice');
},
},
costTransactions: {
relation: Model.HasManyRelation,
modelClass: InventoryCostLotTracker.default,
join: { join: {
from: 'sales_invoices.id', from: 'sales_invoices.id',
to: 'inventory_cost_lot_tracker.transactionId', to: 'inventory_cost_lot_tracker.transactionId',
}, },
filter(builder) { filter(builder) {
builder.where('transaction_type', 'SaleInvoice');
}, },
},
paymentEntries: {
relation: Model.HasManyRelation,
modelClass: PaymentReceiveEntry.default,
join: { join: {
from: 'sales_invoices.id',
to: 'payment_receives_entries.invoice_id',
},
},
}; };
} }
@@ -311,7 +292,7 @@ export default class SaleInvoice extends TenantModel {
* @param {Numeric} amount * @param {Numeric} amount
*/ */
static async changePaymentAmount(invoiceId, amount) { static async changePaymentAmount(invoiceId, amount) {
const changeMethod = amount > 0 ? 'increment' : 'decrement'; const changeMethod = amount > 0 ? "increment" : "decrement";
await this.query() await this.query()
.where('id', invoiceId) .where('id', invoiceId)
@@ -324,80 +305,86 @@ export default class SaleInvoice extends TenantModel {
static get fields() { static get fields() {
return { return {
customer: { customer: {
label: 'Customer', label: "Customer",
column: 'customer_id', column: "customer_id",
relation: 'contacts.id', relation: "contacts.id",
relationColumn: 'contacts.displayName', relationColumn: "contacts.displayName",
fieldType: 'options', fieldType: "options",
optionsResource: 'customers', optionsResource: "customers",
optionsKey: 'id', optionsKey: "id",
optionsLable: 'displayName', optionsLable: "displayName",
}, },
invoice_date: { invoice_date: {
label: 'Invoice date', label: "Invoice date",
column: 'invoice_date', column: "invoice_date",
columnType: 'date', columnType: "date",
fieldType: 'date', fieldType: "date",
}, },
due_date: { due_date: {
label: 'Due date', label: "Due date",
column: 'due_date', column: "due_date",
columnType: 'date', columnType: "date",
fieldType: 'date', fieldType: "date",
}, },
invoice_no: { invoice_no: {
label: 'Invoice No.', label: "Invoice No.",
column: 'invoice_no', column: "invoice_no",
columnType: 'number', columnType: "number",
fieldType: 'number', fieldType: "number",
}, },
refernece_no: { reference_no: {
label: 'Reference No.', label: "Reference No.",
column: 'reference_no', column: "reference_no",
columnType: 'number', columnType: "number",
fieldType: 'number', fieldType: "number",
}, },
invoice_message: { invoice_message: {
label: 'Invoice message', label: "Invoice message",
column: 'invoice_message', column: "invoice_message",
columnType: 'text', columnType: "text",
fieldType: 'text', fieldType: "text",
}, },
terms_conditions: { terms_conditions: {
label: 'Terms & conditions', label: "Terms & conditions",
column: 'terms_conditions', column: "terms_conditions",
columnType: 'text', columnType: "text",
fieldType: 'text', fieldType: "text",
}, },
invoice_amount: { invoice_amount: {
label: 'Invoice amount', label: "Invoice amount",
column: 'invoice_amount', column: "invoice_amount",
columnType: 'number', columnType: "number",
fieldType: 'number', fieldType: "number",
}, },
payment_amount: { payment_amount: {
label: 'Payment amount', label: "Payment amount",
column: 'payment_amount', column: "payment_amount",
columnType: 'number', columnType: "number",
fieldType: 'number', fieldType: "number",
},
balance: {
label: "Balance",
column: "balance",
columnType: "number",
fieldType: "number",
}, },
due_amount: { due_amount: {
label: 'Due amount', label: "Due amount",
column: 'due_amount', column: "due_amount",
columnType: 'number', columnType: "number",
fieldType: 'number', fieldType: "number",
sortQuery(query, role) { sortQuery(query, role) {
query.modify('sortByDueAmount', role.order); query.modify('sortByDueAmount', role.order);
}, },
}, },
created_at: { created_at: {
label: 'Created at', label: "Created at",
column: 'created_at', column: "created_at",
columnType: 'date', columnType: "date",
}, },
status: { status: {
label: 'Status', label: "Status",
options: [ options: [
{ key: 'draft', label: 'Draft' }, { key: 'draft', label: 'Draft' },
{ key: 'delivered', label: 'Delivered' }, { key: 'delivered', label: 'Delivered' },
@@ -411,20 +398,20 @@ export default class SaleInvoice extends TenantModel {
case 'draft': case 'draft':
query.modify('draft'); query.modify('draft');
break; break;
case 'delivered': case "delivered":
query.modify('delivered'); query.modify("delivered");
break; break;
case 'unpaid': case "unpaid":
query.modify('unpaid'); query.modify("unpaid");
break; break;
case 'overdue': case "overdue":
query.modify('overdue'); query.modify("overdue");
break; break;
case 'partially-paid': case "partially-paid":
query.modify('partiallyPaid'); query.modify("partiallyPaid");
break; break;
case 'paid': case "paid":
query.modify('paid'); query.modify("paid");
break; break;
} }
}, },

View File

@@ -133,7 +133,7 @@ export default class SaleReceipt extends TenantModel {
}, },
deposit_account: { deposit_account: {
column: 'deposit_account_id', column: 'deposit_account_id',
lable: 'Deposit account', label: 'Deposit account',
relation: "accounts.id", relation: "accounts.id",
optionsResource: "account", optionsResource: "account",
}, },