Merge branch 'dev' into demo
All checks were successful
ERP-Deploy-Demo / deploy-demo (push) Successful in 1m21s

This commit is contained in:
2026-03-19 15:03:25 +08:00
10 changed files with 248 additions and 63 deletions

View File

@@ -87,19 +87,7 @@ class SyncOrderAction
// --- 執行寫入交易 --- // --- 執行寫入交易 ---
$result = DB::transaction(function () use ($data, $items, $resolvedProducts) { $result = DB::transaction(function () use ($data, $items, $resolvedProducts) {
// 1. 建立訂單 // 1. 查找倉庫(提前至建立訂單前,以便判定來源)
$order = SalesOrder::create([
'external_order_id' => $data['external_order_id'],
'status' => 'completed',
'payment_method' => $data['payment_method'] ?? 'cash',
'total_amount' => 0,
'sold_at' => $data['sold_at'] ?? now(),
'raw_payload' => $data,
'source' => $data['source'] ?? 'pos',
'source_label' => $data['source_label'] ?? null,
]);
// 2. 查找倉庫
$warehouseCode = $data['warehouse_code']; $warehouseCode = $data['warehouse_code'];
$warehouses = $this->inventoryService->getWarehousesByCodes([$warehouseCode]); $warehouses = $this->inventoryService->getWarehousesByCodes([$warehouseCode]);
@@ -108,7 +96,25 @@ class SyncOrderAction
'warehouse_code' => ["Warehouse with code {$warehouseCode} not found."] 'warehouse_code' => ["Warehouse with code {$warehouseCode} not found."]
]); ]);
} }
$warehouseId = $warehouses->first()->id; $warehouse = $warehouses->first();
$warehouseId = $warehouse->id;
// 2. 自動判定來源:若是販賣機倉庫則標記為 vending其餘為 pos
$source = ($warehouse->type === \App\Enums\WarehouseType::VENDING) ? 'vending' : 'pos';
// 3. 建立訂單
$order = SalesOrder::create([
'external_order_id' => $data['external_order_id'],
'name' => $data['name'],
'status' => 'completed',
'payment_method' => $data['payment_method'] ?? 'cash',
'total_amount' => $data['total_amount'],
'total_qty' => $data['total_qty'],
'sold_at' => $data['sold_at'] ?? now(),
'raw_payload' => $data,
'source' => $source,
'source_label' => $data['source_label'] ?? null,
]);
$totalAmount = 0; $totalAmount = 0;

View File

@@ -18,7 +18,10 @@ class SalesOrderController extends Controller
// 搜尋篩選 (外部訂單號) // 搜尋篩選 (外部訂單號)
if ($request->filled('search')) { if ($request->filled('search')) {
$query->where('external_order_id', 'like', '%' . $request->search . '%'); $query->where(function ($q) use ($request) {
$q->where('external_order_id', 'like', '%' . $request->search . '%')
->orWhere('name', 'like', '%' . $request->search . '%');
});
} }
// 來源篩選 // 來源篩選
@@ -26,6 +29,11 @@ class SalesOrderController extends Controller
$query->where('source', $request->source); $query->where('source', $request->source);
} }
// 付款方式篩選
if ($request->filled('payment_method')) {
$query->where('payment_method', $request->payment_method);
}
// 排序 // 排序
$query->orderBy('sold_at', 'desc'); $query->orderBy('sold_at', 'desc');
@@ -40,7 +48,7 @@ class SalesOrderController extends Controller
return Inertia::render('Integration/SalesOrders/Index', [ return Inertia::render('Integration/SalesOrders/Index', [
'orders' => $orders, 'orders' => $orders,
'filters' => $request->only(['search', 'per_page', 'source']), 'filters' => $request->only(['search', 'per_page', 'source', 'status', 'payment_method']),
]); ]);
} }

View File

@@ -11,9 +11,11 @@ class SalesOrder extends Model
protected $fillable = [ protected $fillable = [
'external_order_id', 'external_order_id',
'name',
'status', 'status',
'payment_method', 'payment_method',
'total_amount', 'total_amount',
'total_qty',
'sold_at', 'sold_at',
'raw_payload', 'raw_payload',
'source', 'source',
@@ -24,6 +26,7 @@ class SalesOrder extends Model
'sold_at' => 'datetime', 'sold_at' => 'datetime',
'raw_payload' => 'array', 'raw_payload' => 'array',
'total_amount' => 'decimal:4', 'total_amount' => 'decimal:4',
'total_qty' => 'decimal:4',
]; ];
public function items(): HasMany public function items(): HasMany

View File

@@ -23,8 +23,11 @@ class SyncOrderRequest extends FormRequest
{ {
return [ return [
'external_order_id' => 'required|string', 'external_order_id' => 'required|string',
'name' => 'required|string|max:255',
'warehouse_code' => 'required|string', 'warehouse_code' => 'required|string',
'payment_method' => 'nullable|string|in:cash,credit_card,line_pay,ecpay,transfer,other', 'payment_method' => 'nullable|string|in:cash,credit_card,line_pay,ecpay,transfer,other',
'total_amount' => 'required|numeric|min:0',
'total_qty' => 'required|numeric|min:0',
'sold_at' => 'nullable|date', 'sold_at' => 'nullable|date',
'items' => 'required|array|min:1', 'items' => 'required|array|min:1',
'items.*.product_id' => 'required|integer', 'items.*.product_id' => 'required|integer',

View File

@@ -190,10 +190,10 @@ class ProductService implements ProductServiceInterface
{ {
$product = null; $product = null;
if (!empty($barcode)) { if (!empty($barcode)) {
$product = Product::query()->where('barcode', $barcode)->first(); $product = Product::where('barcode', $barcode)->first();
} }
if (!$product && !empty($code)) { if (!$product && !empty($code)) {
$product = Product::query()->where('code', $code)->first(); $product = Product::where('code', $code)->first();
} }
return $product; return $product;
} }
@@ -207,7 +207,6 @@ class ProductService implements ProductServiceInterface
*/ */
public function searchProducts(array $filters, int $perPage = 50) public function searchProducts(array $filters, int $perPage = 50)
{ {
/** @var \Illuminate\Database\Eloquent\Builder $query */
$query = Product::query() $query = Product::query()
->with(['category', 'baseUnit']) ->with(['category', 'baseUnit'])
->where('is_active', true); ->where('is_active', true);
@@ -226,13 +225,17 @@ class ProductService implements ProductServiceInterface
$query->where('external_pos_id', $filters['external_pos_id']); $query->where('external_pos_id', $filters['external_pos_id']);
} }
// 3. 分類過濾 // 3. 分類過濾 (優先使用 ID若傳入字串則按名稱)
if (!empty($filters['category'])) { if (!empty($filters['category'])) {
$categoryName = $filters['category']; $categoryVal = $filters['category'];
$query->whereHas('category', function ($q) use ($categoryName) { if (is_numeric($categoryVal)) {
$q->where('name', $categoryName); $query->where('category_id', $categoryVal);
} else {
$query->whereHas('category', function ($q) use ($categoryVal) {
$q->where('name', $categoryVal);
}); });
} }
}
// 4. 增量同步 (Updated After) // 4. 增量同步 (Updated After)
if (!empty($filters['updated_after'])) { if (!empty($filters['updated_after'])) {

View File

@@ -0,0 +1,29 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
Schema::table('sales_orders', function (Blueprint $table) {
$table->decimal('total_qty', 12, 4)->default(0)->after('total_amount');
$table->string('name')->after('external_order_id');
});
}
/**
* Reverse the migrations.
*/
public function down(): void
{
Schema::table('sales_orders', function (Blueprint $table) {
$table->dropColumn(['total_qty', 'name']);
});
}
};

View File

@@ -1,10 +1,12 @@
import { useState } from "react"; import { useState, useCallback } from "react";
import { debounce } from "lodash";
import { Head, Link, router } from "@inertiajs/react"; import { Head, Link, router } from "@inertiajs/react";
import AuthenticatedLayout from "@/Layouts/AuthenticatedLayout"; import AuthenticatedLayout from "@/Layouts/AuthenticatedLayout";
import { import {
Search, Search,
TrendingUp, TrendingUp,
Eye, Eye,
Trash2,
} from "lucide-react"; } from "lucide-react";
import { import {
Table, Table,
@@ -26,9 +28,11 @@ import { Can } from "@/Components/Permission/Can";
interface SalesOrder { interface SalesOrder {
id: number; id: number;
external_order_id: string; external_order_id: string;
name: string | null;
status: string; status: string;
payment_method: string; payment_method: string;
total_amount: string; total_amount: string;
total_qty: string;
sold_at: string; sold_at: string;
created_at: string; created_at: string;
source: string; source: string;
@@ -54,6 +58,8 @@ interface Props {
search?: string; search?: string;
per_page?: string; per_page?: string;
source?: string; source?: string;
status?: string;
payment_method?: string;
}; };
} }
@@ -65,6 +71,14 @@ const sourceOptions = [
{ label: "手動匯入", value: "manual_import" }, { label: "手動匯入", value: "manual_import" },
]; ];
const paymentMethodOptions = [
{ label: "全部付款方式", value: "" },
{ label: "現金", value: "cash" },
{ label: "信用卡", value: "credit_card" },
{ label: "Line Pay", value: "line_pay" },
{ label: "悠遊卡", value: "easycard" },
];
const getSourceLabel = (source: string): string => { const getSourceLabel = (source: string): string => {
switch (source) { switch (source) {
case 'pos': return 'POS'; case 'pos': return 'POS';
@@ -105,12 +119,32 @@ export default function SalesOrderIndex({ orders, filters }: Props) {
const [search, setSearch] = useState(filters.search || ""); const [search, setSearch] = useState(filters.search || "");
const [perPage, setPerPage] = useState<string>(filters.per_page || "10"); const [perPage, setPerPage] = useState<string>(filters.per_page || "10");
const handleSearch = () => { const debouncedFilter = useCallback(
router.get( debounce((params: any) => {
route("integration.sales-orders.index"), router.get(route("integration.sales-orders.index"), params, {
{ ...filters, search, page: 1 }, preserveState: true,
{ preserveState: true, replace: true, preserveScroll: true } replace: true,
preserveScroll: true,
});
}, 300),
[]
); );
const handleSearchChange = (term: string) => {
setSearch(term);
debouncedFilter({
...filters,
search: term,
page: 1,
});
};
const handleFilterChange = (key: string, value: string) => {
debouncedFilter({
...filters,
[key]: value || undefined,
page: 1,
});
}; };
const handlePerPageChange = (value: string) => { const handlePerPageChange = (value: string) => {
@@ -153,38 +187,40 @@ export default function SalesOrderIndex({ orders, filters }: Props) {
{/* 篩選列 */} {/* 篩選列 */}
<div className="bg-white rounded-xl border border-gray-200 p-4 mb-4"> <div className="bg-white rounded-xl border border-gray-200 p-4 mb-4">
<div className="flex flex-wrap items-center gap-3"> <div className="flex flex-wrap items-center gap-3">
<SearchableSelect <div className="flex items-center gap-2 flex-1 min-w-[300px] relative">
value={filters.source || ""} <Search className="absolute left-3 top-1/2 transform -translate-y-1/2 text-gray-400 h-4 w-4" />
onValueChange={(v) =>
router.get(
route("integration.sales-orders.index"),
{ ...filters, source: v || undefined, page: 1 },
{ preserveState: true, replace: true, preserveScroll: true }
)
}
options={sourceOptions}
className="w-[160px] h-9"
showSearch={false}
placeholder="篩選來源"
/>
<div className="flex items-center gap-2 flex-1 min-w-[300px]">
<Input <Input
type="text" type="text"
value={search} value={search}
onChange={(e) => setSearch(e.target.value)} onChange={(e) => handleSearchChange(e.target.value)}
onKeyDown={(e) => e.key === "Enter" && handleSearch()} placeholder="搜尋訂單名稱或外部訂單號 (External Order ID)..."
placeholder="搜尋外部訂單號 (External Order ID)..." className="pl-10 pr-10 h-9"
className="h-9"
/> />
<Button {search && (
variant="outline" <button
size="sm" onClick={() => handleSearchChange("")}
className="button-outlined-primary h-9" className="absolute right-3 top-1/2 transform -translate-y-1/2 text-gray-400 hover:text-gray-600"
onClick={handleSearch}
> >
<Search className="h-4 w-4" /> <Trash2 className="h-4 w-4" />
</Button> </button>
)}
</div> </div>
<SearchableSelect
value={filters.source || ""}
onValueChange={(val) => handleFilterChange("source", val)}
options={sourceOptions}
className="w-[140px] h-9"
showSearch={false}
placeholder="篩選來源"
/>
<SearchableSelect
value={filters.payment_method || ""}
onValueChange={(val) => handleFilterChange("payment_method", val)}
options={paymentMethodOptions}
className="w-[160px] h-9"
showSearch={false}
placeholder="篩選付款方式"
/>
</div> </div>
</div> </div>
@@ -195,9 +231,11 @@ export default function SalesOrderIndex({ orders, filters }: Props) {
<TableRow> <TableRow>
<TableHead className="w-[50px] text-center">#</TableHead> <TableHead className="w-[50px] text-center">#</TableHead>
<TableHead></TableHead> <TableHead></TableHead>
<TableHead></TableHead>
<TableHead className="text-center"></TableHead> <TableHead className="text-center"></TableHead>
<TableHead className="text-center"></TableHead> <TableHead className="text-center"></TableHead>
<TableHead></TableHead> <TableHead></TableHead>
<TableHead className="text-right"></TableHead>
<TableHead className="text-right"></TableHead> <TableHead className="text-right"></TableHead>
<TableHead></TableHead> <TableHead></TableHead>
<TableHead className="text-center"></TableHead> <TableHead className="text-center"></TableHead>
@@ -206,7 +244,7 @@ export default function SalesOrderIndex({ orders, filters }: Props) {
<TableBody> <TableBody>
{orders.data.length === 0 ? ( {orders.data.length === 0 ? (
<TableRow> <TableRow>
<TableCell colSpan={8} className="text-center py-8 text-gray-500"> <TableCell colSpan={10} className="text-center py-8 text-gray-500">
</TableCell> </TableCell>
</TableRow> </TableRow>
@@ -219,6 +257,9 @@ export default function SalesOrderIndex({ orders, filters }: Props) {
<TableCell className="font-mono text-sm"> <TableCell className="font-mono text-sm">
{order.external_order_id} {order.external_order_id}
</TableCell> </TableCell>
<TableCell className="max-w-[150px] truncate" title={order.name || ""}>
{order.name || "—"}
</TableCell>
<TableCell className="text-center"> <TableCell className="text-center">
<StatusBadge variant={getSourceVariant(order.source)}> <StatusBadge variant={getSourceVariant(order.source)}>
{order.source_label || getSourceLabel(order.source)} {order.source_label || getSourceLabel(order.source)}
@@ -233,6 +274,9 @@ export default function SalesOrderIndex({ orders, filters }: Props) {
{order.payment_method || "—"} {order.payment_method || "—"}
</TableCell> </TableCell>
<TableCell className="text-right font-medium"> <TableCell className="text-right font-medium">
{formatNumber(parseFloat(order.total_qty))}
</TableCell>
<TableCell className="text-right font-bold text-primary-main">
${formatNumber(parseFloat(order.total_amount))} ${formatNumber(parseFloat(order.total_amount))}
</TableCell> </TableCell>
<TableCell className="text-gray-500 text-sm"> <TableCell className="text-gray-500 text-sm">

View File

@@ -28,7 +28,9 @@ interface SalesOrder {
status: string; status: string;
payment_method: string; payment_method: string;
total_amount: string; total_amount: string;
total_qty: string;
sold_at: string; sold_at: string;
name: string | null;
created_at: string; created_at: string;
raw_payload: any; raw_payload: any;
items: SalesOrderItem[]; items: SalesOrderItem[];
@@ -103,6 +105,7 @@ export default function SalesOrderShow({ order }: Props) {
</div> </div>
<p className="text-sm text-gray-500 font-medium flex flex-wrap items-center gap-2"> <p className="text-sm text-gray-500 font-medium flex flex-wrap items-center gap-2">
: {formatDate(order.sold_at)} <span className="mx-1">|</span> : {formatDate(order.sold_at)} <span className="mx-1">|</span>
: {order.name || "—"} <span className="mx-1">|</span>
: {order.payment_method || "—"} <span className="mx-1">|</span> : {order.payment_method || "—"} <span className="mx-1">|</span>
: {getSourceDisplay(order.source, order.source_label)} <span className="mx-1">|</span> : {getSourceDisplay(order.source, order.source_label)} <span className="mx-1">|</span>
: {formatDate(order.created_at as any)} : {formatDate(order.created_at as any)}
@@ -146,6 +149,13 @@ export default function SalesOrderShow({ order }: Props) {
</div> </div>
<div className="mt-6 flex justify-end"> <div className="mt-6 flex justify-end">
<div className="w-full max-w-sm bg-primary-lightest/30 px-6 py-4 rounded-xl border border-primary-light/20 flex flex-col gap-3"> <div className="w-full max-w-sm bg-primary-lightest/30 px-6 py-4 rounded-xl border border-primary-light/20 flex flex-col gap-3">
<div className="flex justify-between items-center w-full">
<span className="text-sm text-gray-500 font-medium"></span>
<span className="text-lg font-bold text-gray-700">
{formatNumber(parseFloat(order.total_qty))}
</span>
</div>
<div className="border-t border-primary-light/10 my-1"></div>
<div className="flex justify-between items-end w-full"> <div className="flex justify-between items-end w-full">
<span className="text-sm text-gray-500 font-medium mb-1"></span> <span className="text-sm text-gray-500 font-medium mb-1"></span>
<span className="text-2xl font-black text-primary-main"> <span className="text-2xl font-black text-primary-main">

View File

@@ -231,8 +231,11 @@ Star ERP 系統提供外部整合 API (Integration API) 供電商前台、POS
| 欄位名稱 | 型態 | 必填 | 說明 | | 欄位名稱 | 型態 | 必填 | 說明 |
| :--- | :--- | :---: | :--- | | :--- | :--- | :---: | :--- |
| `external_order_id` | String | **是** | 第三方系統中的唯一訂單編號,不可重複 (Unique) | | `external_order_id` | String | **是** | 第三方系統中的唯一訂單編號,不可重複 (Unique) |
| `name` | String | **是** | 訂單名稱或客戶名稱 (最多 255 字元) |
| `warehouse_code` | String | **是** | 指定扣除庫存的倉庫代碼 (例如:`api-test-01` 測試倉)。若找不到對應倉庫將直接拒絕請求 | | `warehouse_code` | String | **是** | 指定扣除庫存的倉庫代碼 (例如:`api-test-01` 測試倉)。若找不到對應倉庫將直接拒絕請求 |
| `payment_method` | String | 否 | 付款方式,僅接受:`cash`, `credit_card`, `line_pay`, `ecpay`, `transfer`, `other`。預設為 `cash` | | `payment_method` | String | 否 | 付款方式,僅接受:`cash`, `credit_card`, `line_pay`, `ecpay`, `transfer`, `other`。預設為 `cash` |
| `total_amount` | Number | **是** | 整筆訂單的總交易金額 (例如500) |
| `total_qty` | Number | **是** | 整筆訂單的商品總數量 (例如5) |
| `sold_at` | String(Date) | 否 | 交易發生時間,預設為當下時間 (格式: YYYY-MM-DD HH:mm:ss) | | `sold_at` | String(Date) | 否 | 交易發生時間,預設為當下時間 (格式: YYYY-MM-DD HH:mm:ss) |
| `items` | Array | **是** | 訂單明細陣列,至少需包含一筆商品 | | `items` | Array | **是** | 訂單明細陣列,至少需包含一筆商品 |
@@ -250,10 +253,13 @@ Star ERP 系統提供外部整合 API (Integration API) 供電商前台、POS
**請求範例:** **請求範例:**
```json ```json
{ {
"external_order_id": "ORD-20240320-0001", "external_order_id": "ORD-20231024-001",
"warehouse_code": "api-test-01", "name": "陳小明-干貝醬訂購",
"warehouse_code": "STORE-01",
"payment_method": "credit_card", "payment_method": "credit_card",
"sold_at": "2024-03-20 14:30:00", "total_amount": 1050,
"total_qty": 3,
"sold_at": "2023-10-24 15:30:00",
"items": [ "items": [
{ {
"product_id": 15, "product_id": 15,

View File

@@ -171,7 +171,11 @@ class PosApiTest extends TestCase
$payload = [ $payload = [
'external_order_id' => 'ORD-001', 'external_order_id' => 'ORD-001',
'name' => '測試訂單一號',
'warehouse_code' => 'MAIN', 'warehouse_code' => 'MAIN',
'payment_method' => 'cash',
'total_amount' => 500, // 5 * 100
'total_qty' => 5,
'sold_at' => now()->toIso8601String(), 'sold_at' => now()->toIso8601String(),
'items' => [ 'items' => [
[ [
@@ -252,7 +256,11 @@ class PosApiTest extends TestCase
// 1. Test deducting from SPECIFIC batch // 1. Test deducting from SPECIFIC batch
$payloadA = [ $payloadA = [
'external_order_id' => 'ORD-BATCH-A', 'external_order_id' => 'ORD-BATCH-A',
'name' => '測試訂單A',
'warehouse_code' => 'MAIN', 'warehouse_code' => 'MAIN',
'payment_method' => 'cash',
'total_amount' => 300, // 3 * 100
'total_qty' => 3,
'items' => [ 'items' => [
[ [
'product_id' => $product->id, 'product_id' => $product->id,
@@ -270,7 +278,11 @@ class PosApiTest extends TestCase
// 2. Test deducting from NULL batch (default) // 2. Test deducting from NULL batch (default)
$payloadNull = [ $payloadNull = [
'external_order_id' => 'ORD-BATCH-NULL', 'external_order_id' => 'ORD-BATCH-NULL',
'name' => '無批號測試',
'warehouse_code' => 'MAIN', 'warehouse_code' => 'MAIN',
'payment_method' => 'cash',
'total_amount' => 200, // 2 * 100
'total_qty' => 2,
'items' => [ 'items' => [
[ [
'product_id' => $product->id, 'product_id' => $product->id,
@@ -423,7 +435,8 @@ class PosApiTest extends TestCase
{ {
tenancy()->initialize($this->tenant); tenancy()->initialize($this->tenant);
$product = Product::where('code', 'P-001')->first(); $product = Product::where('code', 'P-001')->first();
$warehouse = \App\Modules\Inventory\Models\Warehouse::where('code', 'MAIN')->first(); // 確保倉庫存在
$warehouse = \App\Modules\Inventory\Models\Warehouse::firstOrCreate(['code' => 'MAIN'], ['name' => 'Main Warehouse']);
// 清空該商品的現有庫存以利測試負數 // 清空該商品的現有庫存以利測試負數
\App\Modules\Inventory\Models\Inventory::where('product_id', $product->id)->delete(); \App\Modules\Inventory\Models\Inventory::where('product_id', $product->id)->delete();
@@ -434,7 +447,11 @@ class PosApiTest extends TestCase
$payload = [ $payload = [
'external_order_id' => 'ORD-NEGATIVE-TEST', 'external_order_id' => 'ORD-NEGATIVE-TEST',
'name' => '負數庫存測試',
'warehouse_code' => 'MAIN', 'warehouse_code' => 'MAIN',
'payment_method' => 'cash',
'total_amount' => 1000,
'total_qty' => 10,
'items' => [ 'items' => [
[ [
'product_id' => $product->id, 'product_id' => $product->id,
@@ -461,4 +478,60 @@ class PosApiTest extends TestCase
tenancy()->end(); tenancy()->end();
} }
public function test_order_source_automation_based_on_warehouse_type()
{
tenancy()->initialize($this->tenant);
$product = Product::where('code', 'P-001')->first();
// 1. Create a VENDING warehouse
$vendingWarehouse = \App\Modules\Inventory\Models\Warehouse::create([
'name' => 'Vending Machine 01',
'code' => 'VEND-01',
'type' => \App\Enums\WarehouseType::VENDING,
]);
// 2. Create a STANDARD warehouse
$standardWarehouse = \App\Modules\Inventory\Models\Warehouse::create([
'name' => 'General Warehouse',
'code' => 'ST-01',
'type' => \App\Enums\WarehouseType::STANDARD,
]);
tenancy()->end();
\Laravel\Sanctum\Sanctum::actingAs($this->user, ['*']);
// Case A: Vending Warehouse -> Source should be 'vending'
$payloadVending = [
'external_order_id' => 'ORD-VEND',
'name' => 'Vending Order',
'warehouse_code' => 'VEND-01',
'total_amount' => 100,
'total_qty' => 1,
'items' => [['product_id' => $product->id, 'qty' => 1, 'price' => 100]]
];
$this->withHeaders(['X-Tenant-Domain' => $this->domain])
->postJson('/api/v1/integration/orders', $payloadVending)
->assertStatus(201);
// Case B: Standard Warehouse -> Source should be 'pos'
$payloadPos = [
'external_order_id' => 'ORD-POS',
'name' => 'POS Order',
'warehouse_code' => 'ST-01',
'total_amount' => 100,
'total_qty' => 1,
'items' => [['product_id' => $product->id, 'qty' => 1, 'price' => 100]]
];
$this->withHeaders(['X-Tenant-Domain' => $this->domain])
->postJson('/api/v1/integration/orders', $payloadPos)
->assertStatus(201);
tenancy()->initialize($this->tenant);
$this->assertDatabaseHas('sales_orders', ['external_order_id' => 'ORD-VEND', 'source' => 'vending']);
$this->assertDatabaseHas('sales_orders', ['external_order_id' => 'ORD-POS', 'source' => 'pos']);
tenancy()->end();
}
} }