forked from yoone/API
1
0
Fork 0

Compare commits

..

2 Commits

Author SHA1 Message Date
zhuotianyuan d04841c7af 20251013-zty-换货功能 2025-10-13 16:49:35 +08:00
黄珑 bac4a677b4 Improvement: add status enum in order 2025-10-11 11:28:38 +08:00
7 changed files with 180 additions and 23 deletions

View File

@ -17,7 +17,7 @@ export default {
default: {
host: 'localhost',
username: 'root',
password: '123456',
password: '12345678',
},
},
},

View File

@ -115,10 +115,10 @@ export class OrderController {
@Post('/updateOrderItems/:orderId')
async updateOrderItems(
@Param('orderId') orderId: number,
@Body() data: any
@Body() data: any,
) {
try {
const res = await this.orderService.updateOrderSales(orderId, data);
const res = await this.orderService.updateExchangeOrder(orderId, data);
return successResponse(res);
} catch (error) {
return errorResponse(error?.message || '更新失败');

View File

@ -21,7 +21,9 @@ import {
} from '../dto/wp_product.dto';
import { WPService } from '../service/wp.service';
import { WpSite } from '../interface';
import {
ProductsRes,
} from '../dto/reponse.dto';
@Controller('/wp_product')
export class WpProductController {
@Inject()
@ -187,4 +189,19 @@ export class WpProductController {
return errorResponse(error.message || '产品变体更新失败');
}
}
@ApiOkResponse({
description: '通过name搜索产品/订单',
type: ProductsRes,
})
@Get('/search')
async searchProducts(@Query('name') name: string) {
try {
// 调用服务获取产品数据
const products = await this.wpProductService.findProductsByName(name);
return successResponse(products);
} catch (error) {
return errorResponse(error.message || '获取数据失败');
}
}
}

View File

@ -244,14 +244,15 @@ export class Order {
utm_source: string;
@ApiProperty()
@Column({ default: '' })
@Column({ default: false })
@Expose()
is_exchange: string;
is_exchange: boolean;
@ApiProperty()
@Column({ default: '' })
@Column('decimal', { precision: 10, scale: 0, default: 0 })
@Expose()
exchange_frequency: string;
exchange_frequency: number;
@ApiProperty({
example: '2022-12-12 11:11:11',

View File

@ -41,6 +41,9 @@ export enum OrderStatus {
REFUNDED = 'refunded',
FAILED = 'failed',
DRAFT = 'draft',
REFUND_REQUESTED = 'refund_requested', // 已申请退款
REFUND_APPROVED = 'refund_approved', // 退款申请已通过
REFUND_CANCELLED = 'refund_cancelled', // 已取消退款
}
export enum ErpOrderStatus {
@ -50,10 +53,12 @@ export enum ErpOrderStatus {
CANCEL = 'cancelled', //已取消
REFUNDED = 'refunded', //已退款
FAILED = 'failed', //失败
AFTER_SALE_PROCESSING = 'after_sale_pending', // 售后处理中
PENDING_RESHIPMENT = 'pending_reshipment', // 待补发
PENDING_REFUND = 'pending_refund', // 待退款
REFUND_REQUESTED = 'refund_requested', // 已申请退款
REFUND_APPROVED = 'refund_approved', // 退款申请已通过
REFUND_CANCELLED = 'refund_cancelled', // 已取消退款
}
export enum ShipmentType {

View File

@ -230,7 +230,7 @@ export class OrderService {
const customer = await this.customerModel.findOne({
where: { email: order.customer_email },
});
if(!customer) {
if (!customer) {
await this.customerModel.save({
email: order.customer_email,
rate: 0,
@ -263,6 +263,12 @@ export class OrderService {
return ErpOrderStatus.REFUNDED;
case OrderStatus.FAILED:
return ErpOrderStatus.FAILED;
case OrderStatus.REFUND_REQUESTED:
return ErpOrderStatus.REFUND_REQUESTED;
case OrderStatus.REFUND_APPROVED:
return ErpOrderStatus.REFUND_APPROVED;
case OrderStatus.REFUND_CANCELLED:
return ErpOrderStatus.REFUND_CANCELLED;
default:
return ErpOrderStatus.PENDING;
}
@ -591,7 +597,7 @@ export class OrderService {
o.total as total,
o.date_created as date_created,
o.customer_email as customer_email,
o.exchange_frequency as exchange_frequency,
o.transaction_id as transaction_id,
o.orderStatus as orderStatus,
o.customer_ip_address as customer_ip_address,
@ -667,7 +673,7 @@ export class OrderService {
sqlQuery += ` AND o.payment_method like "%${payment_method}%" `;
totalQuery += ` AND o.payment_method like "%${payment_method}%" `;
}
const user = await this.userModel.findOneBy({id: userId});
const user = await this.userModel.findOneBy({ id: userId });
if (user?.permissions?.includes('order-10-days')) {
sqlQuery += ` AND o.date_created >= ?`;
totalQuery += ` AND o.date_created >= ?`;
@ -1153,7 +1159,7 @@ export class OrderService {
// update order_item_origin if not exist
const order_item_origin_count = await this.orderItemOriginalModel.countBy({ orderId: id });
if (order_item_origin_count === 0 && items.length!=0) {
if (order_item_origin_count === 0 && items.length != 0) {
items.forEach(async sale => {
const { id: saleId, ...saleData } = sale;
await this.orderItemOriginalModel.save(saleData);
@ -1362,7 +1368,7 @@ export class OrderService {
const productRepo = manager.getRepository(Product);
const order = await orderRepo.findOneBy({ id: orderId });
let product:Product;
let product: Product;
await orderSaleRepo.delete({ orderId });
for (const sale of sales) {
product = await productRepo.findOneBy({ sku: sale.sku });
@ -1377,7 +1383,97 @@ export class OrderService {
});
};
//await orderRepo.save();
}).catch(error => {
transactionError = error;
});
if (transactionError !== undefined) {
throw new Error(`更新物流信息错误:${transactionError.message}`);
}
return true;
} catch (error) {
throw new Error(`更新发货产品失败:${error.message}`);
}
}
//换货确认按钮改成调用这个方法
//换货功能更新OrderSale和Orderitem数据
async updateExchangeOrder(orderId: number, data: any) {
try {
const dataSource = this.dataSourceManager.getDataSource('default');
let transactionError = undefined;
await dataSource.transaction(async manager => {
const orderRepo = manager.getRepository(Order);
const orderSaleRepo = manager.getRepository(OrderSale);
const orderItemRepo = manager.getRepository(OrderItem);
const OrderItemOriginalRepo = manager.getRepository(OrderItemOriginal);
const productRepo = manager.getRepository(Product);
const WpProductRepo = manager.getRepository(WpProduct);
const order = await orderRepo.findOneBy({ id: orderId });
let product: Product;
let wpProduct: WpProduct;
let wpOrderItemOriginal: OrderItemOriginal;
await orderSaleRepo.delete({ orderId });
await orderItemRepo.delete({ orderId });
for (const sale of data['sales']) {
product = await productRepo.findOneBy({ sku: sale['sku'] });
await orderSaleRepo.save({
orderId,
siteId: order.siteId,
productId: product.id,
name: product.name,
sku: sale['sku'],
quantity: sale['quantity'],
});
};
for (const item of data['items']) {
wpProduct = await WpProductRepo.findOneBy({ sku: item['sku'] });
wpOrderItemOriginal = await OrderItemOriginalRepo.findOneBy({ sku: item['sku'] });
let externalVariationId = wpOrderItemOriginal?.externalVariationId;
let price = wpOrderItemOriginal?.price;
if (wpOrderItemOriginal == null) {
externalVariationId = '0';
price = 0;
}
await orderItemRepo.save({
orderId,
siteId: order.siteId,
productId: wpProduct.id,
name: wpProduct.name,
externalOrderId: order.externalOrderId,
externalProductId: wpProduct.externalProductId,
externalVariationId: externalVariationId,
price: price,
sku: item['sku'],
quantity: item['quantity'],
});
};
//将是否换货状态改为true
await orderRepo.update(
order.id
, {
is_exchange: true
});
//查询这个用户换过多少次货
const counts = await orderRepo.countBy({
is_editable: true,
customer_email: order.customer_email,
});
//批量更新当前用户换货次数
await orderRepo.update({
customer_email: order.customer_email
}, {
exchange_frequency: counts
});
}).catch(error => {
transactionError = error;

View File

@ -507,4 +507,42 @@ const excludeValues = [];
//await this.variationModel.delete({ siteId, externalProductId: productId });
//await this.wpProductModel.delete({ siteId, externalProductId: productId });
}
async findProductsByName(name: string): Promise<WpProduct[]> {
const nameFilter = name ? name.split(' ').filter(Boolean) : [];
const query = this.wpProductModel.createQueryBuilder('product');
// 保证 sku 不为空
query.where('product.sku IS NOT NULL AND product.on_delete = false');
if (nameFilter.length > 0 || name) {
const params: Record<string, string> = {};
const conditions: string[] = [];
// 英文名关键词全部匹配AND
if (nameFilter.length > 0) {
const nameConds = nameFilter.map((word, index) => {
const key = `name${index}`;
params[key] = `%${word}%`;
return `product.name LIKE :${key}`;
});
conditions.push(`(${nameConds.join(' AND ')})`);
}
// 中文名模糊匹配
if (name) {
params['nameCn'] = `%${name}%`;
conditions.push(`product.nameCn LIKE :nameCn`);
}
// 英文名关键词匹配 OR 中文名匹配
query.andWhere(`(${conditions.join(' OR ')})`, params);
}
query.take(50);
return await query.getMany();
}
}