Compare commits

..

1 Commits

Author SHA1 Message Date
Ahmed Bouhuolia
1d42a1c67a refactor(webapp): bound Formik fields across all components 2026-01-01 16:24:00 +02:00
40 changed files with 290 additions and 673 deletions

View File

@@ -1,6 +1,5 @@
import { ApiProperty } from '@nestjs/swagger'; import { ApiProperty } from '@nestjs/swagger';
import { ToNumber, IsOptional } from '@/common/decorators/Validators'; import { IsNotEmpty, IsOptional, IsPositive, IsString } from 'class-validator';
import { IsDateString, IsNotEmpty, IsPositive, IsString } from 'class-validator';
import { IsDate } from 'class-validator'; import { IsDate } from 'class-validator';
import { IsNumber } from 'class-validator'; import { IsNumber } from 'class-validator';
@@ -11,13 +10,8 @@ export class CreditNoteRefundDto {
description: 'The id of the from account', description: 'The id of the from account',
example: 1, example: 1,
}) })
@ApiProperty({
description: 'The id of the from account',
example: 1,
})
fromAccountId: number; fromAccountId: number;
@ToNumber()
@IsNumber() @IsNumber()
@IsPositive() @IsPositive()
@IsNotEmpty() @IsNotEmpty()
@@ -27,7 +21,6 @@ export class CreditNoteRefundDto {
}) })
amount: number; amount: number;
@ToNumber()
@IsNumber() @IsNumber()
@IsOptional() @IsOptional()
@IsPositive() @IsPositive()
@@ -37,23 +30,23 @@ export class CreditNoteRefundDto {
}) })
exchangeRate?: number; exchangeRate?: number;
@IsOptional()
@IsString() @IsString()
@IsNotEmpty()
@ApiProperty({ @ApiProperty({
description: 'The reference number of the credit note refund', description: 'The reference number of the credit note refund',
example: '123456', example: '123456',
}) })
referenceNo: string; referenceNo: string;
@IsOptional()
@IsString() @IsString()
@IsNotEmpty()
@ApiProperty({ @ApiProperty({
description: 'The description of the credit note refund', description: 'The description of the credit note refund',
example: 'Credit note refund', example: 'Credit note refund',
}) })
description: string; description: string;
@IsDateString() @IsDate()
@IsNotEmpty() @IsNotEmpty()
@ApiProperty({ @ApiProperty({
description: 'The date of the credit note refund', description: 'The date of the credit note refund',
@@ -61,7 +54,6 @@ export class CreditNoteRefundDto {
}) })
date: Date; date: Date;
@ToNumber()
@IsNumber() @IsNumber()
@IsOptional() @IsOptional()
@ApiProperty({ @ApiProperty({

View File

@@ -1,10 +1,10 @@
import { Inject, Injectable } from '@nestjs/common'; import { Inject, Injectable } from '@nestjs/common';
import { renderCreditNotePaperTemplateHtml } from '@bigcapital/pdf-templates';
import { GetCreditNoteService } from './GetCreditNote.service'; import { GetCreditNoteService } from './GetCreditNote.service';
import { CreditNoteBrandingTemplate } from './CreditNoteBrandingTemplate.service'; import { CreditNoteBrandingTemplate } from './CreditNoteBrandingTemplate.service';
import { transformCreditNoteToPdfTemplate } from '../utils'; import { transformCreditNoteToPdfTemplate } from '../utils';
import { CreditNote } from '../models/CreditNote'; import { CreditNote } from '../models/CreditNote';
import { ChromiumlyTenancy } from '@/modules/ChromiumlyTenancy/ChromiumlyTenancy.service'; import { ChromiumlyTenancy } from '@/modules/ChromiumlyTenancy/ChromiumlyTenancy.service';
import { TemplateInjectable } from '@/modules/TemplateInjectable/TemplateInjectable.service';
import { EventEmitter2 } from '@nestjs/event-emitter'; import { EventEmitter2 } from '@nestjs/event-emitter';
import { PdfTemplateModel } from '@/modules/PdfTemplate/models/PdfTemplate'; import { PdfTemplateModel } from '@/modules/PdfTemplate/models/PdfTemplate';
import { CreditNotePdfTemplateAttributes } from '../types/CreditNotes.types'; import { CreditNotePdfTemplateAttributes } from '../types/CreditNotes.types';
@@ -15,6 +15,7 @@ import { TenantModelProxy } from '@/modules/System/models/TenantBaseModel';
export class GetCreditNotePdf { export class GetCreditNotePdf {
/** /**
* @param {ChromiumlyTenancy} chromiumlyTenancy - Chromiumly tenancy service. * @param {ChromiumlyTenancy} chromiumlyTenancy - Chromiumly tenancy service.
* @param {TemplateInjectable} templateInjectable - Template injectable service.
* @param {GetCreditNote} getCreditNoteService - Get credit note service. * @param {GetCreditNote} getCreditNoteService - Get credit note service.
* @param {CreditNoteBrandingTemplate} creditNoteBrandingTemplate - Credit note branding template service. * @param {CreditNoteBrandingTemplate} creditNoteBrandingTemplate - Credit note branding template service.
* @param {EventEmitter2} eventPublisher - Event publisher service. * @param {EventEmitter2} eventPublisher - Event publisher service.
@@ -23,6 +24,7 @@ export class GetCreditNotePdf {
*/ */
constructor( constructor(
private readonly chromiumlyTenancy: ChromiumlyTenancy, private readonly chromiumlyTenancy: ChromiumlyTenancy,
private readonly templateInjectable: TemplateInjectable,
private readonly getCreditNoteService: GetCreditNoteService, private readonly getCreditNoteService: GetCreditNoteService,
private readonly creditNoteBrandingTemplate: CreditNoteBrandingTemplate, private readonly creditNoteBrandingTemplate: CreditNoteBrandingTemplate,
private readonly eventPublisher: EventEmitter2, private readonly eventPublisher: EventEmitter2,
@@ -34,40 +36,23 @@ export class GetCreditNotePdf {
private readonly pdfTemplateModel: TenantModelProxy< private readonly pdfTemplateModel: TenantModelProxy<
typeof PdfTemplateModel typeof PdfTemplateModel
>, >,
) { } ) {}
/** /**
* Retrieves credit note html content. * Retrieves sale invoice pdf content.
* @param {number} creditNoteId - Credit note id.
* @returns {Promise<string>}
*/
public async getCreditNoteHtml(creditNoteId: number): Promise<string> {
const brandingAttributes =
await this.getCreditNoteBrandingAttributes(creditNoteId);
// Map attributes to match the React component props
// The branding template returns companyLogoUri, but type may have companyLogo
const props = {
...brandingAttributes,
companyLogoUri:
(brandingAttributes as any).companyLogoUri ||
(brandingAttributes as any).companyLogo ||
'',
};
return renderCreditNotePaperTemplateHtml(props);
}
/**
* Retrieves credit note pdf content.
* @param {number} creditNoteId - Credit note id. * @param {number} creditNoteId - Credit note id.
* @returns {Promise<[Buffer, string]>} * @returns {Promise<[Buffer, string]>}
*/ */
public async getCreditNotePdf( public async getCreditNotePdf(
creditNoteId: number, creditNoteId: number,
): Promise<[Buffer, string]> { ): Promise<[Buffer, string]> {
const brandingAttributes =
await this.getCreditNoteBrandingAttributes(creditNoteId);
const htmlContent = await this.templateInjectable.render(
'modules/credit-note-standard',
brandingAttributes,
);
const filename = await this.getCreditNoteFilename(creditNoteId); const filename = await this.getCreditNoteFilename(creditNoteId);
const htmlContent = await this.getCreditNoteHtml(creditNoteId);
const document = const document =
await this.chromiumlyTenancy.convertHtmlContent(htmlContent); await this.chromiumlyTenancy.convertHtmlContent(htmlContent);

View File

@@ -2,35 +2,19 @@ import { Injectable } from '@nestjs/common';
import { DeleteRefundVendorCreditService } from './commands/DeleteRefundVendorCredit.service'; import { DeleteRefundVendorCreditService } from './commands/DeleteRefundVendorCredit.service';
import { RefundVendorCredit } from './models/RefundVendorCredit'; import { RefundVendorCredit } from './models/RefundVendorCredit';
import { CreateRefundVendorCredit } from './commands/CreateRefundVendorCredit.service'; import { CreateRefundVendorCredit } from './commands/CreateRefundVendorCredit.service';
import { IRefundVendorCreditDTO } from './types/VendorCreditRefund.types';
import { RefundVendorCreditDto } from './dtos/RefundVendorCredit.dto'; import { RefundVendorCreditDto } from './dtos/RefundVendorCredit.dto';
import { GetRefundVendorCreditsService } from './queries/GetRefundVendorCredits.service';
import { IRefundVendorCreditPOJO } from './types/VendorCreditRefund.types';
@Injectable() @Injectable()
export class VendorCreditsRefundApplication { export class VendorCreditsRefundApplication {
/** /**
* @param {CreateRefundVendorCredit} createRefundVendorCreditService * @param {CreateRefundVendorCredit} createRefundVendorCreditService
* @param {DeleteRefundVendorCreditService} deleteRefundVendorCreditService * @param {DeleteRefundVendorCreditService} deleteRefundVendorCreditService
* @param {GetRefundVendorCreditsService} getRefundVendorCreditsService
*/ */
constructor( constructor(
private readonly createRefundVendorCreditService: CreateRefundVendorCredit, private readonly createRefundVendorCreditService: CreateRefundVendorCredit,
private readonly deleteRefundVendorCreditService: DeleteRefundVendorCreditService, private readonly deleteRefundVendorCreditService: DeleteRefundVendorCreditService,
private readonly getRefundVendorCreditsService: GetRefundVendorCreditsService, ) {}
) { }
/**
* Retrieve the vendor credit refunds graph.
* @param {number} vendorCreditId - Vendor credit id.
* @returns {Promise<IRefundVendorCreditPOJO[]>}
*/
public getVendorCreditRefunds(
vendorCreditId: number,
): Promise<IRefundVendorCreditPOJO[]> {
return this.getRefundVendorCreditsService.getVendorCreditRefunds(
vendorCreditId,
);
}
/** /**
* Creates a refund vendor credit. * Creates a refund vendor credit.

View File

@@ -1,4 +1,4 @@
import { Body, Controller, Delete, Get, Param, Post } from '@nestjs/common'; import { Body, Controller, Delete, Param, Post } from '@nestjs/common';
import { VendorCreditsRefundApplication } from './VendorCreditsRefund.application'; import { VendorCreditsRefundApplication } from './VendorCreditsRefund.application';
import { RefundVendorCredit } from './models/RefundVendorCredit'; import { RefundVendorCredit } from './models/RefundVendorCredit';
import { ApiOperation, ApiTags } from '@nestjs/swagger'; import { ApiOperation, ApiTags } from '@nestjs/swagger';
@@ -9,22 +9,7 @@ import { RefundVendorCreditDto } from './dtos/RefundVendorCredit.dto';
export class VendorCreditsRefundController { export class VendorCreditsRefundController {
constructor( constructor(
private readonly vendorCreditsRefundApplication: VendorCreditsRefundApplication, private readonly vendorCreditsRefundApplication: VendorCreditsRefundApplication,
) { } ) {}
/**
* Retrieve the vendor credit refunds graph.
* @param {number} vendorCreditId - Vendor credit id.
* @returns {Promise<IRefundVendorCreditPOJO[]>}
*/
@Get(':vendorCreditId/refund')
@ApiOperation({ summary: 'Retrieve the vendor credit refunds graph.' })
public getVendorCreditRefunds(
@Param('vendorCreditId') vendorCreditId: string,
) {
return this.vendorCreditsRefundApplication.getVendorCreditRefunds(
Number(vendorCreditId),
);
}
/** /**
* Creates a refund vendor credit. * Creates a refund vendor credit.
@@ -32,7 +17,7 @@ export class VendorCreditsRefundController {
* @param {IRefundVendorCreditDTO} refundVendorCreditDTO * @param {IRefundVendorCreditDTO} refundVendorCreditDTO
* @returns {Promise<RefundVendorCredit>} * @returns {Promise<RefundVendorCredit>}
*/ */
@Post(':vendorCreditId/refund') @Post(':vendorCreditId/refunds')
@ApiOperation({ summary: 'Create a refund for the given vendor credit.' }) @ApiOperation({ summary: 'Create a refund for the given vendor credit.' })
public async createRefundVendorCredit( public async createRefundVendorCredit(
@Param('vendorCreditId') vendorCreditId: string, @Param('vendorCreditId') vendorCreditId: string,

View File

@@ -1,12 +1,10 @@
import { IsOptional, ToNumber } from '@/common/decorators/Validators';
import { ApiProperty } from '@nestjs/swagger'; import { ApiProperty } from '@nestjs/swagger';
import { IsDateString, Min } from 'class-validator'; import { Min } from 'class-validator';
import { IsString } from 'class-validator'; import { IsString } from 'class-validator';
import { IsDate } from 'class-validator'; import { IsDate } from 'class-validator';
import { IsNotEmpty, IsNumber, IsPositive } from 'class-validator'; import { IsNotEmpty, IsNumber, IsOptional, IsPositive } from 'class-validator';
export class RefundVendorCreditDto { export class RefundVendorCreditDto {
@ToNumber()
@IsNumber() @IsNumber()
@IsNotEmpty() @IsNotEmpty()
@Min(0) @Min(0)
@@ -34,7 +32,6 @@ export class RefundVendorCreditDto {
}) })
depositAccountId: number; depositAccountId: number;
@IsOptional()
@IsString() @IsString()
@IsNotEmpty() @IsNotEmpty()
@ApiProperty({ @ApiProperty({
@@ -43,7 +40,7 @@ export class RefundVendorCreditDto {
}) })
description: string; description: string;
@IsDateString() @IsDate()
@IsNotEmpty() @IsNotEmpty()
@ApiProperty({ @ApiProperty({
description: 'The date of the refund', description: 'The date of the refund',

View File

@@ -1,37 +0,0 @@
import { Controller, Get, Param } from '@nestjs/common';
import { WarehousesApplication } from './WarehousesApplication.service';
import {
ApiOperation,
ApiParam,
ApiResponse,
ApiTags,
} from '@nestjs/swagger';
import { ApiCommonHeaders } from '@/common/decorators/ApiCommonHeaders';
@Controller('items')
@ApiTags('Warehouses')
@ApiCommonHeaders()
export class WarehouseItemsController {
constructor(private warehousesApplication: WarehousesApplication) { }
@Get(':id/warehouses')
@ApiOperation({
summary: 'Retrieves the item associated warehouses.',
})
@ApiResponse({
status: 200,
description:
'The item associated warehouses have been successfully retrieved.',
})
@ApiResponse({ status: 404, description: 'The item not found.' })
@ApiParam({
name: 'id',
required: true,
type: Number,
description: 'The item id',
})
getItemWarehouses(@Param('id') itemId: string) {
return this.warehousesApplication.getItemWarehouses(Number(itemId));
}
}

View File

@@ -85,4 +85,10 @@ export class WarehousesController {
markWarehousePrimary(@Param('id') warehouseId: string) { markWarehousePrimary(@Param('id') warehouseId: string) {
return this.warehousesApplication.markWarehousePrimary(Number(warehouseId)); return this.warehousesApplication.markWarehousePrimary(Number(warehouseId));
} }
@Get('items/:itemId')
@ApiOperation({ summary: 'Get item warehouses' })
getItemWarehouses(@Param('itemId') itemId: string) {
return this.warehousesApplication.getItemWarehouses(Number(itemId));
}
} }

View File

@@ -7,7 +7,6 @@ import { CreateWarehouse } from './commands/CreateWarehouse.service';
import { EditWarehouse } from './commands/EditWarehouse.service'; import { EditWarehouse } from './commands/EditWarehouse.service';
import { DeleteWarehouseService } from './commands/DeleteWarehouse.service'; import { DeleteWarehouseService } from './commands/DeleteWarehouse.service';
import { WarehousesController } from './Warehouses.controller'; import { WarehousesController } from './Warehouses.controller';
import { WarehouseItemsController } from './WarehouseItems.controller';
import { GetWarehouse } from './queries/GetWarehouse'; import { GetWarehouse } from './queries/GetWarehouse';
import { WarehouseMarkPrimary } from './commands/WarehouseMarkPrimary.service'; import { WarehouseMarkPrimary } from './commands/WarehouseMarkPrimary.service';
import { GetWarehouses } from './queries/GetWarehouses'; import { GetWarehouses } from './queries/GetWarehouses';
@@ -48,7 +47,7 @@ const models = [RegisterTenancyModel(Warehouse)];
@Module({ @Module({
imports: [TenancyDatabaseModule, ...models], imports: [TenancyDatabaseModule, ...models],
controllers: [WarehousesController, WarehouseItemsController], controllers: [WarehousesController],
providers: [ providers: [
CreateWarehouse, CreateWarehouse,
EditWarehouse, EditWarehouse,
@@ -91,6 +90,6 @@ const models = [RegisterTenancyModel(Warehouse)];
InventoryTransactionsWarehouses, InventoryTransactionsWarehouses,
ValidateWarehouseExistance ValidateWarehouseExistance
], ],
exports: [WarehousesSettings, WarehouseTransactionDTOTransform, WarehousesApplication, ...models], exports: [WarehousesSettings, WarehouseTransactionDTOTransform, ...models],
}) })
export class WarehousesModule {} export class WarehousesModule {}

View File

@@ -1,5 +1,5 @@
// @ts-nocheck // @ts-nocheck
import React, { useMemo } from 'react'; import React from 'react';
import { Position, Checkbox, InputGroup } from '@blueprintjs/core'; import { Position, Checkbox, InputGroup } from '@blueprintjs/core';
import { DateInput } from '@blueprintjs/datetime'; import { DateInput } from '@blueprintjs/datetime';
import moment from 'moment'; import moment from 'moment';
@@ -7,29 +7,23 @@ import intl from 'react-intl-universal';
import { isUndefined } from 'lodash'; import { isUndefined } from 'lodash';
import { useAutofocus } from '@/hooks'; import { useAutofocus } from '@/hooks';
import { T, Choose } from '@/components'; import { T, Choose, ListSelect } from '@/components';
import { Select } from '@/components/Forms';
import { momentFormatter } from '@/utils'; import { momentFormatter } from '@/utils';
function AdvancedFilterEnumerationField({ options, value, ...rest }) { function AdvancedFilterEnumerationField({ options, value, ...rest }) {
const selectedItem = useMemo(
() => options.find((opt) => opt.key === value) || null,
[options, value],
);
return ( return (
<Select <ListSelect
items={options} items={options}
selectedItem={selectedItem} selectedItem={value}
popoverProps={{ popoverProps={{
fill: true, fill: true,
inline: true, inline: true,
minimal: true, minimal: true,
captureDismiss: true, captureDismiss: true,
}} }}
placeholder={<T id={'filter.select_option'} />} defaultText={<T id={'filter.select_option'} />}
textAccessor={'label'} textProp={'label'}
valueAccessor={'key'} selectedItemProp={'key'}
{...rest} {...rest}
/> />
); );

View File

@@ -14,3 +14,4 @@ const mapActionsToProps = (dispatch) => ({
}); });
export const withAccountsTableActions = connect(null, mapActionsToProps); export const withAccountsTableActions = connect(null, mapActionsToProps);
export const withAccountsActions = withAccountsTableActions;

View File

@@ -8,7 +8,7 @@ import ReferenceNumberForm from '@/containers/JournalNumber/ReferenceNumberForm'
import { withDialogActions } from '@/containers/Dialog/withDialogActions'; import { withDialogActions } from '@/containers/Dialog/withDialogActions';
import { withSettingsActions } from '@/containers/Settings/withSettingsActions'; import { withSettingsActions } from '@/containers/Settings/withSettingsActions';
import { withSettings } from '@/containers/Settings/withSettings'; import { withSettings } from '@/containers/Settings/withSettings';
import { withBillsActions } from '@/containers/Purchases/Bills/BillsLanding/withBillsActions'; import { withBillActions } from '@/containers/Purchases/Bills/BillsLanding/withBillsActions';
import { compose, optionsMapToArray } from '@/utils'; import { compose, optionsMapToArray } from '@/utils';
@@ -28,7 +28,7 @@ function BillNumberDialogContent({
// #withDialogActions // #withDialogActions
closeDialog, closeDialog,
// #withBillsActions // #withBillActions
setBillNumberChanged, setBillNumberChanged,
}) { }) {
const fetchSettings = useQuery(['settings'], () => requestFetchOptions({})); const fetchSettings = useQuery(['settings'], () => requestFetchOptions({}));
@@ -76,5 +76,5 @@ export default compose(
nextNumber: billsettings?.next_number, nextNumber: billsettings?.next_number,
numberPrefix: billsettings?.number_prefix, numberPrefix: billsettings?.number_prefix,
})), })),
withBillsActions, withBillActions,
)(BillNumberDialogContent); )(BillNumberDialogContent);

View File

@@ -63,6 +63,7 @@ function ContactDuplicateForm({
name={'contact_type'} name={'contact_type'}
label={<T id={'contact_type'} />} label={<T id={'contact_type'} />}
labelInfo={<FieldRequiredHint />} labelInfo={<FieldRequiredHint />}
className={'form-group--select-list'}
> >
<FSelect <FSelect
name={'contact_type'} name={'contact_type'}

View File

@@ -1,17 +1,9 @@
// @ts-nocheck // @ts-nocheck
import React from 'react'; import React from 'react';
import { Field, ErrorMessage, FastField, useFormikContext } from 'formik'; import { Field, ErrorMessage, FastField } from 'formik';
import { FormGroup, InputGroup } from '@blueprintjs/core'; import { FormGroup, InputGroup } from '@blueprintjs/core';
import { inputIntent, toSafeNumber } from '@/utils'; import { inputIntent, toSafeNumber } from '@/utils';
import { import { Row, Col, MoneyInputGroup, FormattedMessage as T } from '@/components';
Row,
Col,
MoneyInputGroup,
FormattedMessage as T,
FMoneyInputGroup,
FFormGroup,
FInputGroup,
} from '@/components';
import { useAutofocus } from '@/hooks'; import { useAutofocus } from '@/hooks';
import { decrementQuantity } from './utils'; import { decrementQuantity } from './utils';
@@ -20,19 +12,27 @@ import { decrementQuantity } from './utils';
*/ */
function DecrementAdjustmentFields() { function DecrementAdjustmentFields() {
const decrementFieldRef = useAutofocus(); const decrementFieldRef = useAutofocus();
const { values, setFieldValue } = useFormikContext();
return ( return (
<Row className={'row--decrement-fields'}> <Row className={'row--decrement-fields'}>
{/*------------ Quantity on hand -----------*/} {/*------------ Quantity on hand -----------*/}
<Col className={'col--quantity-on-hand'}> <Col className={'col--quantity-on-hand'}>
<FFormGroup name={'quantity_on_hand'} label={<T id={'qty_on_hand'} />}> <FastField name={'quantity_on_hand'}>
<FInputGroup {({ field, meta: { error, touched } }) => (
name={'quantity_on_hand'} <FormGroup
disabled={true} label={<T id={'qty_on_hand'} />}
medium={'true'} intent={inputIntent({ error, touched })}
/> helperText={<ErrorMessage name="quantity_on_hand" />}
</FFormGroup> >
<InputGroup
disabled={true}
medium={'true'}
intent={inputIntent({ error, touched })}
{...field}
/>
</FormGroup>
)}
</FastField>
</Col> </Col>
<Col className={'col--sign'}> <Col className={'col--sign'}>
@@ -41,23 +41,40 @@ function DecrementAdjustmentFields() {
{/*------------ Decrement -----------*/} {/*------------ Decrement -----------*/}
<Col className={'col--decrement'}> <Col className={'col--decrement'}>
<FFormGroup name={'quantity'} label={<T id={'decrement'} />} fill> <Field name={'quantity'}>
<FMoneyInputGroup {({
name={'quantity'} form: { values, setFieldValue },
allowDecimals={false} field,
allowNegativeValue={true} meta: { error, touched },
inputRef={(ref) => (decrementFieldRef.current = ref)} }) => (
onBlurValue={(value) => { <FormGroup
setFieldValue( label={<T id={'decrement'} />}
'new_quantity', intent={inputIntent({ error, touched })}
decrementQuantity( helperText={<ErrorMessage name="quantity" />}
toSafeNumber(value), fill={true}
toSafeNumber(values.quantity_on_hand), >
), <MoneyInputGroup
); value={field.value}
}} allowDecimals={false}
/> allowNegativeValue={true}
</FFormGroup> inputRef={(ref) => (decrementFieldRef.current = ref)}
onChange={(value) => {
setFieldValue('quantity', value);
}}
onBlurValue={(value) => {
setFieldValue(
'new_quantity',
decrementQuantity(
toSafeNumber(value),
toSafeNumber(values.quantity_on_hand),
),
);
}}
intent={inputIntent({ error, touched })}
/>
</FormGroup>
)}
</Field>
</Col> </Col>
<Col className={'col--sign'}> <Col className={'col--sign'}>
@@ -65,27 +82,38 @@ function DecrementAdjustmentFields() {
</Col> </Col>
{/*------------ New quantity -----------*/} {/*------------ New quantity -----------*/}
<Col className={'col--quantity'}> <Col className={'col--quantity'}>
<FFormGroup <Field name={'new_quantity'}>
name={'new_quantity'} {({
label={<T id={'new_quantity'} />} form: { values, setFieldValue },
fill field,
fastField meta: { error, touched },
> }) => (
<FMoneyInputGroup <FormGroup
name={'new_quantity'} label={<T id={'new_quantity'} />}
allowDecimals={false} intent={inputIntent({ error, touched })}
allowNegativeValue={true} helperText={<ErrorMessage name="new_quantity" />}
onBlurValue={(value) => { >
setFieldValue( <MoneyInputGroup
'quantity', value={field.value}
decrementQuantity( allowDecimals={false}
toSafeNumber(value), allowNegativeValue={true}
toSafeNumber(values.quantity_on_hand), onChange={(value) => {
), setFieldValue('new_quantity', value);
); }}
}} onBlurValue={(value) => {
/> setFieldValue(
</FFormGroup> 'quantity',
decrementQuantity(
toSafeNumber(value),
toSafeNumber(values.quantity_on_hand),
),
);
}}
intent={inputIntent({ error, touched })}
/>
</FormGroup>
)}
</Field>
</Col> </Col>
</Row> </Row>
); );

View File

@@ -1,8 +1,8 @@
// @ts-nocheck // @ts-nocheck
import React from 'react'; import React from 'react';
import '@/style/pages/Items/ItemAdjustmentDialog.scss'; import '@/style/pages/Items/ItemAdjustmentDialog.scss';
import { InventoryAdjustmentFormProvider } from './InventoryAdjustmentFormProvider'; import { InventoryAdjustmentFormProvider } from './InventoryAdjustmentFormProvider';
import InventoryAdjustmentForm from './InventoryAdjustmentForm'; import InventoryAdjustmentForm from './InventoryAdjustmentForm';

View File

@@ -160,7 +160,7 @@ export default function InventoryAdjustmentFormDialogFields() {
name={'adjustment_account_id'} name={'adjustment_account_id'}
label={<T id={'adjustment_account'} />} label={<T id={'adjustment_account'} />}
labelInfo={<FieldRequiredHint />} labelInfo={<FieldRequiredHint />}
fill className={'form-group--adjustment-account'}
> >
<FAccountsSuggestField <FAccountsSuggestField
name={'adjustment_account_id'} name={'adjustment_account_id'}
@@ -168,8 +168,6 @@ export default function InventoryAdjustmentFormDialogFields() {
inputProps={{ inputProps={{
placeholder: intl.get('select_adjustment_account'), placeholder: intl.get('select_adjustment_account'),
}} }}
fill
fastField
/> />
</FFormGroup> </FFormGroup>
@@ -187,21 +185,16 @@ export default function InventoryAdjustmentFormDialogFields() {
name={'reason'} name={'reason'}
label={<T id={'adjustment_reasons'} />} label={<T id={'adjustment_reasons'} />}
labelInfo={<FieldRequiredHint />} labelInfo={<FieldRequiredHint />}
fill
fastField fastField
> >
<FTextArea name={'reason'} growVertically large fastField fill /> <FTextArea name={'reason'} growVertically large fastField />
</FFormGroup> </FFormGroup>
</div> </div>
); );
} }
export const FeatureRowDivider = styled.div` export const FeatureRowDivider = styled.div`
--x-color-background: #e9e9e9;
.bp4-dark & {
--x-color-background: rgba(255, 255, 255, 0.1);
}
height: 2px; height: 2px;
background: var(--x-color-background); background: #e9e9e9;
margin-bottom: 15px; margin-bottom: 15px;
`; `;

View File

@@ -27,12 +27,10 @@ import {
FormattedMessage as T, FormattedMessage as T,
ExchangeRateMutedField, ExchangeRateMutedField,
BranchSelect, BranchSelect,
BranchSelectButton,
FeatureCan, FeatureCan,
FInputGroup, FInputGroup,
FMoneyInputGroup, FMoneyInputGroup,
FDateInput,
FFormGroup,
FTextArea,
} from '@/components'; } from '@/components';
import { import {
inputIntent, inputIntent,
@@ -68,13 +66,16 @@ function RefundCreditNoteFormFields({
<FeatureCan feature={Features.Branches}> <FeatureCan feature={Features.Branches}>
<Row> <Row>
<Col xs={5}> <Col xs={5}>
<FFormGroup name={'branch_id'} label={<T id={'branch'} />}> <FormGroup
label={<T id={'branch'} />}
className={classNames('form-group--select-list', Classes.FILL)}
>
<BranchSelect <BranchSelect
name={'branch_id'} name={'branch_id'}
branches={branches} branches={branches}
popoverProps={{ minimal: true }} popoverProps={{ minimal: true }}
/> />
</FFormGroup> </FormGroup>
</Col> </Col>
</Row> </Row>
<BranchRowDivider /> <BranchRowDivider />
@@ -83,23 +84,29 @@ function RefundCreditNoteFormFields({
<Row> <Row>
<Col xs={5}> <Col xs={5}>
{/* ------------- Refund date ------------- */} {/* ------------- Refund date ------------- */}
<FFormGroup <FastField name={'date'}>
name={'date'} {({ form, field: { value }, meta: { error, touched } }) => (
label={<T id={'refund_credit_note.dialog.refund_date'} />} <FFormGroup
labelInfo={<FieldRequiredHint />} name={'date'}
fill label={<T id={'refund_credit_note.dialog.refund_date'} />}
> labelInfo={<FieldRequiredHint />}
<FDateInput fill
name={'date'} >
{...momentFormatter('YYYY/MM/DD')} <DateInput
popoverProps={{ position: Position.BOTTOM, minimal: true }} {...momentFormatter('YYYY/MM/DD')}
inputProps={{ value={tansformDateValue(value)}
leftIcon: <Icon icon={'date-range'} />, onChange={handleDateChange((formattedDate) => {
}} form.setFieldValue('date', formattedDate);
/> })}
</FFormGroup> popoverProps={{ position: Position.BOTTOM, minimal: true }}
inputProps={{
leftIcon: <Icon icon={'date-range'} />,
}}
/>
</FFormGroup>
)}
</FastField>
</Col> </Col>
<Col xs={5}> <Col xs={5}>
{/* ------------ Form account ------------ */} {/* ------------ Form account ------------ */}
<FFormGroup <FFormGroup
@@ -107,7 +114,6 @@ function RefundCreditNoteFormFields({
label={<T id={'refund_credit_note.dialog.from_account'} />} label={<T id={'refund_credit_note.dialog.from_account'} />}
labelInfo={<FieldRequiredHint />} labelInfo={<FieldRequiredHint />}
fill fill
fastField
> >
<FAccountsSuggestField <FAccountsSuggestField
name={'from_account_id'} name={'from_account_id'}
@@ -120,7 +126,6 @@ function RefundCreditNoteFormFields({
ACCOUNT_TYPE.CASH, ACCOUNT_TYPE.CASH,
ACCOUNT_TYPE.FIXED_ASSET, ACCOUNT_TYPE.FIXED_ASSET,
]} ]}
fastField
/> />
</FFormGroup> </FFormGroup>
</Col> </Col>
@@ -132,7 +137,6 @@ function RefundCreditNoteFormFields({
label={<T id={'refund_credit_note.dialog.amount'} />} label={<T id={'refund_credit_note.dialog.amount'} />}
labelInfo={<FieldRequiredHint />} labelInfo={<FieldRequiredHint />}
fill fill
fastField
> >
<ControlGroup> <ControlGroup>
<InputPrependText text={values.currency_code} /> <InputPrependText text={values.currency_code} />
@@ -140,7 +144,6 @@ function RefundCreditNoteFormFields({
name={'amount'} name={'amount'}
minimal={true} minimal={true}
inputRef={(ref) => (amountFieldRef.current = ref)} inputRef={(ref) => (amountFieldRef.current = ref)}
/> />
</ControlGroup> </ControlGroup>
</FFormGroup> </FFormGroup>
@@ -158,19 +161,21 @@ function RefundCreditNoteFormFields({
</If> </If>
{/* ------------ Reference No. ------------ */} {/* ------------ Reference No. ------------ */}
<FFormGroup name={'reference_no'} label={<T id={'reference_no'} />} fill fastField> <FFormGroup name={'reference_no'} label={<T id={'reference_no'} />} fill>
<FInputGroup name={'reference_no'} minimal fill /> <FInputGroup name={'reference_no'} minimal fill />
</FFormGroup> </FFormGroup>
{/* --------- Statement --------- */} {/* --------- Statement --------- */}
<FFormGroup <FastField name={'description'}>
name={'description'} {({ form, field, meta: { error, touched } }) => (
label={<T id={'refund_credit_note.dialog.description'} />} <FormGroup
fill label={<T id={'refund_credit_note.dialog.description'} />}
fastField className={'form-group--description'}
> >
<FTextArea name={'description'} growVertically fill fastField /> <TextArea growVertically={true} {...field} />
</FFormGroup> </FormGroup>
)}
</FastField>
</div> </div>
); );
} }
@@ -178,12 +183,7 @@ function RefundCreditNoteFormFields({
export default compose(withCurrentOrganization())(RefundCreditNoteFormFields); export default compose(withCurrentOrganization())(RefundCreditNoteFormFields);
export const BranchRowDivider = styled.div` export const BranchRowDivider = styled.div`
--x-divider-color: #ebf1f6;
.bp4-dark & {
--x-divider-color: rgba(255, 255, 255, 0.1);
}
height: 1px; height: 1px;
background: var(--x-divider-color); background: #ebf1f6;
margin-bottom: 13px; margin-bottom: 13px;
`; `;

View File

@@ -152,8 +152,8 @@ function RefundVendorCreditFormFields({
</FFormGroup> </FFormGroup>
{/* --------- Statement --------- */} {/* --------- Statement --------- */}
<FFormGroup name={'description'} label={<T id={'refund_vendor_credit.dialog.description'} />} fill fastField> <FFormGroup name={'description'} fill fastField>
<FTextArea name={'description'} growVertically fill fastField /> <FTextArea name={'description'} growVertically={true} fastField />
</FFormGroup> </FFormGroup>
</div> </div>
); );
@@ -162,12 +162,7 @@ function RefundVendorCreditFormFields({
export default compose(withCurrentOrganization())(RefundVendorCreditFormFields); export default compose(withCurrentOrganization())(RefundVendorCreditFormFields);
export const BranchRowDivider = styled.div` export const BranchRowDivider = styled.div`
--x-divider-color: #ebf1f6;
.bp4-dark & {
--x-divider-color: rgba(255, 255, 255, 0.1);
}
height: 1px; height: 1px;
background: var(--x-divider-color); background: #ebf1f6;
margin-bottom: 13px; margin-bottom: 13px;
`; `;

View File

@@ -70,14 +70,9 @@ function AccountDrawerDataTable() {
export default compose(withDrawerActions)(AccountDrawerTable); export default compose(withDrawerActions)(AccountDrawerTable);
const TableFooter = styled.div` const TableFooter = styled.div`
--x-border-color: #d2dde2;
.bp4-dark & {
--x-border-color: var(--color-dark-gray5);
}
padding: 6px 14px; padding: 6px 14px;
display: block; display: block;
border-top: 1px solid var(--x-border-color); border-top: 1px solid #d2dde2;
border-bottom: 1px solid var(--x-border-color); border-bottom: 1px solid #d2dde2;
font-size: 12px; font-size: 12px;
`; `;

View File

@@ -9,13 +9,13 @@ import { ItemsCategoriesProvider } from './ItemsCategoriesProvider';
import ItemCategoriesTable from './ItemCategoriesTable'; import ItemCategoriesTable from './ItemCategoriesTable';
import ItemsCategoryActionsBar from './ItemsCategoryActionsBar'; import ItemsCategoryActionsBar from './ItemsCategoryActionsBar';
import { withItemCategories } from './withItemCategories'; import { withItemsCategories } from './withItemCategories';
/** /**
* Item categories list. * Item categories list.
*/ */
function ItemCategoryList({ function ItemCategoryList({
// #withItemCategories // #withItemsCategories
itemsCategoriesTableState itemsCategoriesTableState
}) { }) {
return ( return (
@@ -32,7 +32,7 @@ function ItemCategoryList({
} }
export default R.compose( export default R.compose(
withItemCategories(({ itemsCategoriesTableState }) => ({ withItemsCategories(({ itemsCategoriesTableState }) => ({
itemsCategoriesTableState, itemsCategoriesTableState,
})), })),
)(ItemCategoryList); )(ItemCategoryList);

View File

@@ -15,3 +15,5 @@ export const withItemCategories = (mapState) => {
}; };
return connect(mapStateToProps); return connect(mapStateToProps);
}; };
export const withItemsCategories = withItemCategories;

View File

@@ -63,12 +63,7 @@ export function PaymentMethodSelectField({
} }
const PaymentMethodSelectRoot = styled(Group)` const PaymentMethodSelectRoot = styled(Group)`
--x-color-border: #d3d8de; border: 1px solid #d3d8de;
.bp4-dark & {
--x-color-border: rgba(255, 255, 255, 0.2);
}
border: 1px solid var(--x-color-border);
border-radius: 3px; border-radius: 3px;
padding: 8px; padding: 8px;
gap: 0; gap: 0;
@@ -77,23 +72,13 @@ const PaymentMethodSelectRoot = styled(Group)`
`; `;
const PaymentMethodCheckbox = styled(Checkbox)` const PaymentMethodCheckbox = styled(Checkbox)`
--x-color-border: #c5cbd3;
.bp4-dark & {
--x-color-border: rgba(255, 255, 255, 0.2);
}
margin: 0; margin: 0;
&.bp4-control .bp4-control-indicator { &.bp4-control .bp4-control-indicator {
box-shadow: 0 0 0 1px var(--x-color-border); box-shadow: 0 0 0 1px #c5cbd3;
} }
`; `;
const PaymentMethodText = styled(Text)` const PaymentMethodText = styled(Text)`
--x-color-text: #404854; color: #404854;
.bp4-dark & {
--x-color-text: var(--color-light-gray4);
}
color: var(--x-color-text);
`; `;

View File

@@ -48,5 +48,5 @@ const PaymentMethodsTitle = styled('h6')`
font-size: 12px; font-size: 12px;
font-weight: 500; font-weight: 500;
margin: 0; margin: 0;
color: var(--color-muted-text); color: rgb(95, 107, 124);
`; `;

View File

@@ -45,7 +45,7 @@ import { isEmpty } from 'lodash';
* Bills actions bar. * Bills actions bar.
*/ */
function BillActionsBar({ function BillActionsBar({
// #withBillsActions // #withBillActions
setBillsTableState, setBillsTableState,
// #withBills // #withBills

View File

@@ -13,7 +13,7 @@ import {
import BillsEmptyStatus from './BillsEmptyStatus'; import BillsEmptyStatus from './BillsEmptyStatus';
import { withBills } from './withBills'; import { withBills } from './withBills';
import { withBillsActions } from './withBillsActions'; import { withBillActions } from './withBillsActions';
import { withAlertActions } from '@/containers/Alert/withAlertActions'; import { withAlertActions } from '@/containers/Alert/withAlertActions';
import { withDialogActions } from '@/containers/Dialog/withDialogActions'; import { withDialogActions } from '@/containers/Dialog/withDialogActions';
import { withDrawerActions } from '@/containers/Drawer/withDrawerActions'; import { withDrawerActions } from '@/containers/Drawer/withDrawerActions';
@@ -163,7 +163,7 @@ function BillsDataTable({
export default compose( export default compose(
withBills(({ billsTableState }) => ({ billsTableState })), withBills(({ billsTableState }) => ({ billsTableState })),
withBillsActions, withBillActions,
withAlertActions, withAlertActions,
withDrawerActions, withDrawerActions,
withDialogActions, withDialogActions,

View File

@@ -6,7 +6,7 @@ import { DashboardViewsTabs } from '@/components';
import { useBillsListContext } from './BillsListProvider'; import { useBillsListContext } from './BillsListProvider';
import { withBills } from './withBills'; import { withBills } from './withBills';
import { withBillsActions } from './withBillsActions'; import { withBillActions } from './withBillsActions';
import { compose, transfromViewsToTabs } from '@/utils'; import { compose, transfromViewsToTabs } from '@/utils';
@@ -14,7 +14,7 @@ import { compose, transfromViewsToTabs } from '@/utils';
* Bills view tabs. * Bills view tabs.
*/ */
function BillViewTabs({ function BillViewTabs({
// #withBillsActions // #withBillActions
setBillsTableState, setBillsTableState,
// #withBills // #withBills
@@ -47,7 +47,7 @@ function BillViewTabs({
} }
export default compose( export default compose(
withBillsActions, withBillActions,
withBills(({ billsTableState }) => ({ withBills(({ billsTableState }) => ({
billsCurrentView: billsTableState.viewSlug, billsCurrentView: billsTableState.viewSlug,
})), })),

View File

@@ -14,3 +14,4 @@ const mapDispatchToProps = (dispatch) => ({
}); });
export const withBillsActions = connect(null, mapDispatchToProps); export const withBillsActions = connect(null, mapDispatchToProps);
export const withBillActions = withBillsActions;

View File

@@ -18,3 +18,5 @@ export const withPaymentMade = (mapState) => {
}; };
return connect(mapStateToProps); return connect(mapStateToProps);
}; };
export const withPaymentMades = withPaymentMade;

View File

@@ -29,4 +29,4 @@ const mapDispatchToProps = (dispatch, props) => {
} }
} }
export const withRouteActions = connect(null, mapDispatchToProps); export const withRouteActions = connect(null, mapDispatchToProps)

View File

@@ -12,6 +12,7 @@ import { useIsDarkMode } from '@/hooks/useDarkMode';
const inputGroupCss = css` const inputGroupCss = css`
& .bp4-input { & .bp4-input {
max-width: 110px; max-width: 110px;
color: rgb(17, 17, 17);
padding-left: 8px; padding-left: 8px;
} }
`; `;

View File

@@ -13,6 +13,7 @@ import { useIsDarkMode } from '@/hooks/useDarkMode';
const inputGroupCss = css` const inputGroupCss = css`
& .bp4-input { & .bp4-input {
max-width: 110px; max-width: 110px;
color: rgb(17, 17, 17);
padding-left: 8px; padding-left: 8px;
} }
`; `;

View File

@@ -127,7 +127,7 @@ const PaymentOptionsText = styled(Box)`
font-size: 13px; font-size: 13px;
display: inline-flex; display: inline-flex;
align-items: center; align-items: center;
color: var(--color-muted-text); color: #5f6b7c;
`; `;
const PaymentOptionsButton = styled(Button)` const PaymentOptionsButton = styled(Button)`

View File

@@ -10,7 +10,7 @@ import { SubscriptionPlansPeriod } from '@/store/plans/plans.reducer';
import styles from './SetupSubscription.module.scss'; import styles from './SetupSubscription.module.scss';
interface SubscriptionPlansPeriodsSwitchCombinedProps interface SubscriptionPlansPeriodsSwitchCombinedProps
extends WithSubscriptionPlansActionsProps { } extends WithSubscriptionPlansActionsProps {}
function SubscriptionPlansPeriodSwitcherRoot({ function SubscriptionPlansPeriodSwitcherRoot({
// #withSubscriptionPlansActions // #withSubscriptionPlansActions

View File

@@ -11,12 +11,13 @@ import {
Menu, Menu,
MenuItem, MenuItem,
} from '@blueprintjs/core'; } from '@blueprintjs/core';
import { If, Icon, FormattedMessage as T, Group } from '@/components'; import { If, Icon, FormattedMessage as T } from '@/components';
import classNames from 'classnames'; import classNames from 'classnames';
import { useFormikContext } from 'formik'; import { useFormikContext } from 'formik';
import { useWarehouseTransferFormContext } from './WarehouseTransferFormProvider';
import { CLASSES } from '@/constants/classes'; import { CLASSES } from '@/constants/classes';
import { useWarehouseTransferFormContext } from './WarehouseTransferFormProvider';
/** /**
* Warehouse transfer floating actions bar. * Warehouse transfer floating actions bar.
*/ */
@@ -76,101 +77,98 @@ export default function WarehouseTransferFloatingActions() {
return ( return (
<div className={classNames(CLASSES.PAGE_FORM_FLOATING_ACTIONS)}> <div className={classNames(CLASSES.PAGE_FORM_FLOATING_ACTIONS)}>
<Group spacing={10}> {/* ----------- Save Intitate & transferred ----------- */}
{/* ----------- Save Intitate & transferred ----------- */} <If condition={!warehouseTransfer || !warehouseTransfer?.is_transferred}>
<If condition={!warehouseTransfer || !warehouseTransfer?.is_transferred}> <ButtonGroup>
<ButtonGroup>
<Button
disabled={isSubmitting}
loading={isSubmitting}
intent={Intent.PRIMARY}
type="submit"
onClick={handleSubmitInitiateBtnClick}
style={{ minWidth: '85px' }}
text={<T id={'warehouse_transfer.save_initiate_transfer'} />}
/>
<Popover
content={
<Menu>
<MenuItem
text={
<T id={'warehouse_transfer.save_mark_as_transferred'} />
}
onClick={handleSubmitTransferredBtnClick}
/>
</Menu>
}
minimal={true}
interactionKind={PopoverInteractionKind.CLICK}
position={Position.BOTTOM_LEFT}
>
<Button
disabled={isSubmitting}
intent={Intent.PRIMARY}
rightIcon={<Icon icon="arrow-drop-up-16" iconSize={20} />}
/>
</Popover>
</ButtonGroup>
{/* ----------- Save As Draft ----------- */}
<ButtonGroup>
<Button
disabled={isSubmitting}
className={'ml1'}
onClick={handleSubmitDraftBtnClick}
text={<T id={'save_as_draft'} />}
/>
<Popover
content={
<Menu>
<MenuItem
text={<T id={'save_and_new'} />}
onClick={handleSubmitDraftAndNewBtnClick}
/>
<MenuItem
text={<T id={'save_continue_editing'} />}
onClick={handleSubmitDraftContinueEditingBtnClick}
/>
</Menu>
}
minimal={true}
interactionKind={PopoverInteractionKind.CLICK}
position={Position.BOTTOM_LEFT}
>
<Button
disabled={isSubmitting}
rightIcon={<Icon icon="arrow-drop-up-16" iconSize={20} />}
/>
</Popover>
</ButtonGroup>
</If>
<If condition={warehouseTransfer && warehouseTransfer?.is_transferred}>
<Button <Button
disabled={isSubmitting} disabled={isSubmitting}
loading={isSubmitting} loading={isSubmitting}
intent={Intent.PRIMARY} intent={Intent.PRIMARY}
onClick={handleSubmitTransferredBtnClick} type="submit"
style={{ minWidth: '100px' }} onClick={handleSubmitInitiateBtnClick}
text={<T id={'save'} />} style={{ minWidth: '85px' }}
text={<T id={'warehouse_transfer.save_initiate_transfer'} />}
/> />
</If> <Popover
content={
<Menu>
<MenuItem
text={
<T id={'warehouse_transfer.save_mark_as_transferred'} />
}
onClick={handleSubmitTransferredBtnClick}
/>
</Menu>
}
minimal={true}
interactionKind={PopoverInteractionKind.CLICK}
position={Position.BOTTOM_LEFT}
>
<Button
disabled={isSubmitting}
intent={Intent.PRIMARY}
rightIcon={<Icon icon="arrow-drop-up-16" iconSize={20} />}
/>
</Popover>
</ButtonGroup>
{/* ----------- Clear & Reset----------- */} {/* ----------- Save As Draft ----------- */}
<ButtonGroup>
<Button
disabled={isSubmitting}
className={'ml1'}
onClick={handleSubmitDraftBtnClick}
text={<T id={'save_as_draft'} />}
/>
<Popover
content={
<Menu>
<MenuItem
text={<T id={'save_and_new'} />}
onClick={handleSubmitDraftAndNewBtnClick}
/>
<MenuItem
text={<T id={'save_continue_editing'} />}
onClick={handleSubmitDraftContinueEditingBtnClick}
/>
</Menu>
}
minimal={true}
interactionKind={PopoverInteractionKind.CLICK}
position={Position.BOTTOM_LEFT}
>
<Button
disabled={isSubmitting}
rightIcon={<Icon icon="arrow-drop-up-16" iconSize={20} />}
/>
</Popover>
</ButtonGroup>
</If>
<If condition={warehouseTransfer && warehouseTransfer?.is_transferred}>
<Button <Button
className={'ml1'}
disabled={isSubmitting} disabled={isSubmitting}
onClick={handleClearBtnClick} loading={isSubmitting}
text={warehouseTransfer ? <T id={'reset'} /> : <T id={'clear'} />} intent={Intent.PRIMARY}
onClick={handleSubmitTransferredBtnClick}
style={{ minWidth: '100px' }}
text={<T id={'save'} />}
/> />
</If>
{/* ----------- Clear & Reset----------- */}
<Button
className={'ml1'}
disabled={isSubmitting}
onClick={handleClearBtnClick}
text={warehouseTransfer ? <T id={'reset'} /> : <T id={'clear'} />}
/>
{/* ----------- Cancel ----------- */} {/* ----------- Cancel ----------- */}
<Button <Button
className={'ml1'} className={'ml1'}
disabled={isSubmitting} disabled={isSubmitting}
onClick={handleCancelBtnClick} onClick={handleCancelBtnClick}
text={<T id={'cancel'} />} text={<T id={'cancel'} />}
/> />
</Group>
</div> </div>
); );
} }

View File

@@ -80,7 +80,6 @@ function WarehouseTransferFormHeaderFields({
inputProps={{ inputProps={{
leftIcon: <Icon icon={'date-range'} />, leftIcon: <Icon icon={'date-range'} />,
}} }}
fill
fastField fastField
/> />
</FFormGroup> </FFormGroup>

View File

@@ -205,7 +205,7 @@ export function useAccountTransactions(id, props) {
[t.ACCOUNT_TRANSACTION, id], [t.ACCOUNT_TRANSACTION, id],
{ method: 'get', url: `accounts/transactions?account_id=${id}` }, { method: 'get', url: `accounts/transactions?account_id=${id}` },
{ {
select: (res) => res.data, select: (res) => res.data.transactions,
defaultData: [], defaultData: [],
...props, ...props,
}, },

View File

@@ -8,19 +8,12 @@
.avatar.td { .avatar.td {
.avatar { .avatar {
--x-color-background: #adbcc9;
--x-color-text: #fff;
.bp4-dark & {
--x-color-background: rgba(255, 255, 255, 0.2);
--x-color-text: #fff;
}
display: inline-block; display: inline-block;
background: var(--x-color-background); background: #adbcc9;
border-radius: 50%; border-radius: 50%;
text-align: center; text-align: center;
font-weight: 400; font-weight: 400;
color: var(--x-color-text); color: #fff;
&[data-size='medium'] { &[data-size='medium'] {
height: 30px; height: 30px;

View File

@@ -9,19 +9,12 @@
.avatar.td { .avatar.td {
.avatar { .avatar {
--x-color-background: #adbcc9;
--x-color-text: #fff;
.bp4-dark & {
--x-color-background: rgba(255, 255, 255, 0.2);
--x-color-text: #fff;
}
display: inline-block; display: inline-block;
background: var(--x-color-background); background: #adbcc9;
color: var(--x-color-text);
border-radius: 50%; border-radius: 50%;
text-align: center; text-align: center;
font-weight: 400; font-weight: 400;
color: #fff;
&[data-size='medium'] { &[data-size='medium'] {
height: 30px; height: 30px;

View File

@@ -1,257 +0,0 @@
import {
PaperTemplate,
PaperTemplateProps,
PaperTemplateTotalBorder,
} from './PaperTemplate';
import { Box } from '../lib/layout/Box';
import { Text } from '../lib/text/Text';
import { Stack } from '../lib/layout/Stack';
import { Group } from '../lib/layout/Group';
import {
DefaultPdfTemplateTerms,
DefaultPdfTemplateItemDescription,
DefaultPdfTemplateItemName,
DefaultPdfTemplateAddressBilledTo,
DefaultPdfTemplateAddressBilledFrom,
} from './_constants';
interface CreditNoteLine {
item?: string;
description?: string;
quantity?: string;
rate?: string;
total?: string;
}
export interface CreditNotePaperTemplateProps extends PaperTemplateProps {
primaryColor?: string;
secondaryColor?: string;
// Company
showCompanyLogo?: boolean;
companyLogoUri?: string;
companyName?: string;
// Credit Note number
showCreditNoteNumber?: boolean;
creditNoteNumebr?: string;
creditNoteNumberLabel?: string;
// Credit Note date
showCreditNoteDate?: boolean;
creditNoteDate?: string;
creditNoteDateLabel?: string;
// Address
showCustomerAddress?: boolean;
customerAddress?: string;
showCompanyAddress?: boolean;
companyAddress?: string;
billedToLabel?: string;
// Entries
lineItemLabel?: string;
lineQuantityLabel?: string;
lineRateLabel?: string;
lineTotalLabel?: string;
// Subtotal
showSubtotal?: boolean;
subtotalLabel?: string;
subtotal?: string;
// Total
showTotal?: boolean;
totalLabel?: string;
total?: string;
// Customer Note
showCustomerNote?: boolean;
customerNote?: string;
customerNoteLabel?: string;
// Terms & Conditions
showTermsConditions?: boolean;
termsConditions?: string;
termsConditionsLabel?: string;
lines?: Array<CreditNoteLine>;
}
export function CreditNotePaperTemplate({
// # Colors
primaryColor,
secondaryColor,
// # Company
companyName = 'Bigcapital Technology, Inc.',
showCompanyLogo = true,
companyLogoUri = '',
// # Credit Note number
creditNoteNumberLabel = 'Credit Note Number',
creditNoteNumebr = '346D3D40-0001',
showCreditNoteNumber = true,
// # Credit Note date
creditNoteDate = 'September 3, 2024',
creditNoteDateLabel = 'Credit Note Date',
showCreditNoteDate = true,
// Address
showCustomerAddress = true,
customerAddress = DefaultPdfTemplateAddressBilledTo,
showCompanyAddress = true,
companyAddress = DefaultPdfTemplateAddressBilledFrom,
billedToLabel = 'Billed To',
// Entries
lineItemLabel = 'Item',
lineQuantityLabel = 'Qty',
lineRateLabel = 'Rate',
lineTotalLabel = 'Total',
// Subtotal
subtotalLabel = 'Subtotal',
showSubtotal = true,
subtotal = '1000.00',
// Total
totalLabel = 'Total',
showTotal = true,
total = '$1000.00',
// Customer Note
showCustomerNote = true,
customerNote = '',
customerNoteLabel = 'Customer Note',
// Terms & Conditions
termsConditionsLabel = 'Terms & Conditions',
showTermsConditions = true,
termsConditions = DefaultPdfTemplateTerms,
lines = [
{
item: DefaultPdfTemplateItemName,
description: DefaultPdfTemplateItemDescription,
rate: '1',
quantity: '1000',
total: '$1000.00',
},
],
...props
}: CreditNotePaperTemplateProps) {
return (
<PaperTemplate
primaryColor={primaryColor}
secondaryColor={secondaryColor}
{...props}
>
<Stack spacing={24}>
<Group align="start" spacing={10}>
<Stack flex={1}>
<PaperTemplate.BigTitle title={'Credit Note'} />
<PaperTemplate.TermsList>
{showCreditNoteNumber && (
<PaperTemplate.TermsItem label={creditNoteNumberLabel}>
{creditNoteNumebr}
</PaperTemplate.TermsItem>
)}
{showCreditNoteDate && (
<PaperTemplate.TermsItem label={creditNoteDateLabel}>
{creditNoteDate}
</PaperTemplate.TermsItem>
)}
</PaperTemplate.TermsList>
</Stack>
{companyLogoUri && showCompanyLogo && (
<PaperTemplate.Logo logoUri={companyLogoUri} />
)}
</Group>
<PaperTemplate.AddressesGroup>
{showCompanyAddress && (
<PaperTemplate.Address>
<Box dangerouslySetInnerHTML={{ __html: companyAddress }} />
</PaperTemplate.Address>
)}
{showCustomerAddress && (
<PaperTemplate.Address>
<strong>{billedToLabel}</strong>
<Box dangerouslySetInnerHTML={{ __html: customerAddress }} />
</PaperTemplate.Address>
)}
</PaperTemplate.AddressesGroup>
<Stack spacing={0}>
<PaperTemplate.Table
columns={[
{
label: lineItemLabel,
accessor: (data) => (
<Stack spacing={2}>
<Text>{data.item}</Text>
{data.description && (
<Text color={'#5f6b7c'} fontSize={12}>
{data.description}
</Text>
)}
</Stack>
),
thStyle: { width: '60%' },
},
{
label: lineQuantityLabel,
accessor: 'quantity',
align: 'right',
},
{ label: lineRateLabel, accessor: 'rate', align: 'right' },
{ label: lineTotalLabel, accessor: 'total', align: 'right' },
]}
data={lines}
/>
<PaperTemplate.Totals>
{showSubtotal && (
<PaperTemplate.TotalLine
label={subtotalLabel}
amount={subtotal}
border={PaperTemplateTotalBorder.Gray}
/>
)}
{showTotal && (
<PaperTemplate.TotalLine
label={totalLabel}
amount={total}
border={PaperTemplateTotalBorder.Dark}
style={{ fontWeight: 500 }}
/>
)}
</PaperTemplate.Totals>
</Stack>
<Stack spacing={0}>
{showCustomerNote && customerNote && (
<PaperTemplate.Statement label={customerNoteLabel}>
{customerNote}
</PaperTemplate.Statement>
)}
{showTermsConditions && termsConditions && (
<PaperTemplate.Statement label={termsConditionsLabel}>
{termsConditions}
</PaperTemplate.Statement>
)}
</Stack>
</Stack>
</PaperTemplate>
);
}

View File

@@ -1,6 +1,5 @@
export * from './components/PaperTemplate'; export * from './components/PaperTemplate';
export * from './components/InvoicePaperTemplate'; export * from './components/InvoicePaperTemplate';
export * from './components/CreditNotePaperTemplate';
export * from './components/EstimatePaperTemplate'; export * from './components/EstimatePaperTemplate';
export * from './components/ReceiptPaperTemplate'; export * from './components/ReceiptPaperTemplate';
export * from './components/PaymentReceivedPaperTemplate'; export * from './components/PaymentReceivedPaperTemplate';
@@ -8,7 +7,6 @@ export * from './components/FinancialSheetTemplate';
export * from './components/ExportResourceTableTemplate'; export * from './components/ExportResourceTableTemplate';
export * from './renders/render-invoice-paper-template'; export * from './renders/render-invoice-paper-template';
export * from './renders/render-credit-note-paper-template';
export * from './renders/render-estimate-paper-template'; export * from './renders/render-estimate-paper-template';
export * from './renders/render-receipt-paper-template'; export * from './renders/render-receipt-paper-template';
export * from './renders/render-payment-received-paper-template'; export * from './renders/render-payment-received-paper-template';

View File

@@ -1,17 +0,0 @@
import {
CreditNotePaperTemplate,
CreditNotePaperTemplateProps,
} from '../components/CreditNotePaperTemplate';
import { renderSSR } from './render-ssr';
/**
* Renders credit note paper template html.
* @param {CreditNotePaperTemplateProps} props
* @returns {string}
*/
export const renderCreditNotePaperTemplateHtml = (
props: CreditNotePaperTemplateProps
) => {
return renderSSR(<CreditNotePaperTemplate {...props} />);
};