feat: 優化操作紀錄顯示與邏輯 (恢復描述欄位、支援來源標記、改進快照)
All checks were successful
Koori-ERP-Deploy-System / deploy-demo (push) Successful in 45s
Koori-ERP-Deploy-System / deploy-production (push) Has been skipped

This commit is contained in:
2026-01-19 11:47:10 +08:00
parent 74417e2e31
commit 18edb3cb69
10 changed files with 333 additions and 74 deletions

View File

@@ -33,6 +33,8 @@ class ActivityLogController extends Controller
'App\Models\Category' => '商品分類', 'App\Models\Category' => '商品分類',
'App\Models\Unit' => '單位', 'App\Models\Unit' => '單位',
'App\Models\PurchaseOrder' => '採購單', 'App\Models\PurchaseOrder' => '採購單',
'App\Models\Warehouse' => '倉庫',
'App\Models\Inventory' => '庫存',
]; ];
$eventMap = [ $eventMap = [

View File

@@ -103,7 +103,8 @@ class InventoryController extends Controller
return \Illuminate\Support\Facades\DB::transaction(function () use ($validated, $warehouse) { return \Illuminate\Support\Facades\DB::transaction(function () use ($validated, $warehouse) {
foreach ($validated['items'] as $item) { foreach ($validated['items'] as $item) {
// 取得或建立庫存紀錄 // 取得或建立庫存紀錄
$inventory = $warehouse->inventories()->firstOrCreate( // 取得或初始化庫存紀錄
$inventory = $warehouse->inventories()->firstOrNew(
['product_id' => $item['productId']], ['product_id' => $item['productId']],
['quantity' => 0, 'safety_stock' => null] ['quantity' => 0, 'safety_stock' => null]
); );
@@ -111,8 +112,9 @@ class InventoryController extends Controller
$currentQty = $inventory->quantity; $currentQty = $inventory->quantity;
$newQty = $currentQty + $item['quantity']; $newQty = $currentQty + $item['quantity'];
// 更新庫存 // 更新庫存並儲存 (新紀錄: Created, 舊紀錄: Updated)
$inventory->update(['quantity' => $newQty]); $inventory->quantity = $newQty;
$inventory->save();
// 寫入異動紀錄 // 寫入異動紀錄
$inventory->transactions()->create([ $inventory->transactions()->create([

View File

@@ -56,6 +56,9 @@ class TransferOrderController extends Controller
// 3. 執行庫存轉移 (扣除來源) // 3. 執行庫存轉移 (扣除來源)
$oldSourceQty = $sourceInventory->quantity; $oldSourceQty = $sourceInventory->quantity;
$newSourceQty = $oldSourceQty - $validated['quantity']; $newSourceQty = $oldSourceQty - $validated['quantity'];
// 設定活動紀錄原因
$sourceInventory->activityLogReason = "撥補出庫 至 {$targetWarehouse->name}";
$sourceInventory->update(['quantity' => $newSourceQty]); $sourceInventory->update(['quantity' => $newSourceQty]);
// 記錄來源異動 // 記錄來源異動
@@ -72,6 +75,9 @@ class TransferOrderController extends Controller
// 4. 執行庫存轉移 (增加目標) // 4. 執行庫存轉移 (增加目標)
$oldTargetQty = $targetInventory->quantity; $oldTargetQty = $targetInventory->quantity;
$newTargetQty = $oldTargetQty + $validated['quantity']; $newTargetQty = $oldTargetQty + $validated['quantity'];
// 設定活動紀錄原因
$targetInventory->activityLogReason = "撥補入庫 來自 {$sourceWarehouse->name}";
$targetInventory->update(['quantity' => $newTargetQty]); $targetInventory->update(['quantity' => $newTargetQty]);
// 記錄目標異動 // 記錄目標異動

View File

@@ -36,4 +36,13 @@ class Category extends Model
->logOnlyDirty() ->logOnlyDirty()
->dontSubmitEmptyLogs(); ->dontSubmitEmptyLogs();
} }
public function tapActivity(\Spatie\Activitylog\Contracts\Activity $activity, string $eventName)
{
$properties = $activity->properties;
$attributes = $properties['attributes'] ?? [];
$attributes['name'] = $this->name;
$properties['attributes'] = $attributes;
$activity->properties = $properties;
}
} }

View File

@@ -9,6 +9,7 @@ class Inventory extends Model
{ {
/** @use HasFactory<\Database\Factories\InventoryFactory> */ /** @use HasFactory<\Database\Factories\InventoryFactory> */
use HasFactory; use HasFactory;
use \Spatie\Activitylog\Traits\LogsActivity;
protected $fillable = [ protected $fillable = [
'warehouse_id', 'warehouse_id',
@@ -18,6 +19,40 @@ class Inventory extends Model
'location', 'location',
]; ];
/**
* Transient property to store the reason for the activity log (e.g., "Replenishment #123").
* This is not stored in the database column but used for logging context.
* @var string|null
*/
public $activityLogReason;
public function getActivitylogOptions(): \Spatie\Activitylog\LogOptions
{
return \Spatie\Activitylog\LogOptions::defaults()
->logAll()
->logOnlyDirty()
->dontSubmitEmptyLogs();
}
public function tapActivity(\Spatie\Activitylog\Contracts\Activity $activity, string $eventName)
{
$properties = $activity->properties;
$attributes = $properties['attributes'] ?? [];
// Always snapshot names for context, even if IDs didn't change
// $this refers to the Inventory model instance
$attributes['warehouse_name'] = $this->warehouse ? $this->warehouse->name : ($attributes['warehouse_name'] ?? null);
$attributes['product_name'] = $this->product ? $this->product->name : ($attributes['product_name'] ?? null);
// Capture the reason if set
if ($this->activityLogReason) {
$attributes['_reason'] = $this->activityLogReason;
}
$properties['attributes'] = $attributes;
$activity->properties = $properties;
}
public function warehouse(): \Illuminate\Database\Eloquent\Relations\BelongsTo public function warehouse(): \Illuminate\Database\Eloquent\Relations\BelongsTo
{ {
return $this->belongsTo(Warehouse::class); return $this->belongsTo(Warehouse::class);

View File

@@ -76,6 +76,34 @@ class Product extends Model
->dontSubmitEmptyLogs(); ->dontSubmitEmptyLogs();
} }
public function tapActivity(\Spatie\Activitylog\Contracts\Activity $activity, string $eventName)
{
$properties = $activity->properties;
$attributes = $properties['attributes'] ?? [];
// Handle Category Name Snapshot
if (isset($attributes['category_id'])) {
$category = Category::find($attributes['category_id']);
$attributes['category_name'] = $category ? $category->name : null;
}
// Handle Unit Name Snapshots
$unitFields = ['base_unit_id', 'large_unit_id', 'purchase_unit_id'];
foreach ($unitFields as $field) {
if (isset($attributes[$field])) {
$unit = Unit::find($attributes[$field]);
$nameKey = str_replace('_id', '_name', $field);
$attributes[$nameKey] = $unit ? $unit->name : null;
}
}
// Always snapshot self name for context (so logs always show "Cola")
$attributes['name'] = $this->name;
$properties['attributes'] = $attributes;
$activity->properties = $properties;
}
public function warehouses(): \Illuminate\Database\Eloquent\Relations\BelongsToMany public function warehouses(): \Illuminate\Database\Eloquent\Relations\BelongsToMany
{ {
return $this->belongsToMany(Warehouse::class, 'inventories') return $this->belongsToMany(Warehouse::class, 'inventories')

View File

@@ -23,4 +23,13 @@ class Unit extends Model
->logOnlyDirty() ->logOnlyDirty()
->dontSubmitEmptyLogs(); ->dontSubmitEmptyLogs();
} }
public function tapActivity(\Spatie\Activitylog\Contracts\Activity $activity, string $eventName)
{
$properties = $activity->properties;
$attributes = $properties['attributes'] ?? [];
$attributes['name'] = $this->name;
$properties['attributes'] = $attributes;
$activity->properties = $properties;
}
} }

View File

@@ -9,6 +9,7 @@ class Warehouse extends Model
{ {
/** @use HasFactory<\Database\Factories\WarehouseFactory> */ /** @use HasFactory<\Database\Factories\WarehouseFactory> */
use HasFactory; use HasFactory;
use \Spatie\Activitylog\Traits\LogsActivity;
protected $fillable = [ protected $fillable = [
'code', 'code',
@@ -17,6 +18,26 @@ class Warehouse extends Model
'description', 'description',
]; ];
public function getActivitylogOptions(): \Spatie\Activitylog\LogOptions
{
return \Spatie\Activitylog\LogOptions::defaults()
->logAll()
->logOnlyDirty()
->dontSubmitEmptyLogs();
}
public function tapActivity(\Spatie\Activitylog\Contracts\Activity $activity, string $eventName)
{
$properties = $activity->properties;
$attributes = $properties['attributes'] ?? [];
// Always snapshot name
$attributes['name'] = $this->name;
$properties['attributes'] = $attributes;
$activity->properties = $properties;
}
public function inventories(): \Illuminate\Database\Eloquent\Relations\HasMany public function inventories(): \Illuminate\Database\Eloquent\Relations\HasMany
{ {
return $this->hasMany(Inventory::class); return $this->hasMany(Inventory::class);

View File

@@ -1,12 +1,12 @@
import { import {
Dialog, Dialog,
DialogContent, DialogContent,
DialogDescription,
DialogHeader, DialogHeader,
DialogTitle, DialogTitle,
} from "@/Components/ui/dialog"; } from "@/Components/ui/dialog";
import { Badge } from "@/Components/ui/badge"; import { Badge } from "@/Components/ui/badge";
import { ScrollArea } from "@/Components/ui/scroll-area"; import { ScrollArea } from "@/Components/ui/scroll-area";
import { User, Clock, Package, Activity as ActivityIcon } from "lucide-react";
interface Activity { interface Activity {
id: number; id: number;
@@ -27,6 +27,43 @@ interface Props {
activity: Activity | null; activity: Activity | null;
} }
// Field translation map
const fieldLabels: Record<string, string> = {
name: '名稱',
code: '代碼',
description: '描述',
price: '價格',
cost: '成本',
stock: '庫存',
category_id: '分類',
unit_id: '單位',
is_active: '啟用狀態',
conversion_rate: '換算率',
specification: '規格',
brand: '品牌',
base_unit_id: '基本單位',
large_unit_id: '大單位',
purchase_unit_id: '採購單位',
email: 'Email',
password: '密碼',
phone: '電話',
address: '地址',
role_id: '角色',
// Snapshot fields
category_name: '分類名稱',
base_unit_name: '基本單位名稱',
large_unit_name: '大單位名稱',
purchase_unit_name: '採購單位名稱',
// Warehouse & Inventory fields
warehouse_name: '倉庫名稱',
product_name: '商品名稱',
warehouse_id: '倉庫',
product_id: '商品',
quantity: '數量',
safety_stock: '安全庫存',
location: '儲位',
};
export default function ActivityDetailDialog({ open, onOpenChange, activity }: Props) { export default function ActivityDetailDialog({ open, onOpenChange, activity }: Props) {
if (!activity) return null; if (!activity) return null;
@@ -41,12 +78,12 @@ export default function ActivityDetailDialog({ open, onOpenChange, activity }: P
!['created_at', 'updated_at', 'deleted_at', 'id'].includes(key) !['created_at', 'updated_at', 'deleted_at', 'id'].includes(key)
); );
const getEventBadgeColor = (event: string) => { const getEventBadgeClass = (event: string) => {
switch (event) { switch (event) {
case 'created': return 'bg-green-500'; case 'created': return 'bg-green-100 text-green-700 hover:bg-green-200 border-green-200';
case 'updated': return 'bg-blue-500'; case 'updated': return 'bg-blue-100 text-blue-700 hover:bg-blue-200 border-blue-200';
case 'deleted': return 'bg-red-500'; case 'deleted': return 'bg-red-100 text-red-700 hover:bg-red-200 border-red-200';
default: return 'bg-gray-500'; default: return 'bg-gray-100 text-gray-700 hover:bg-gray-200 border-gray-200';
} }
}; };
@@ -59,73 +96,133 @@ export default function ActivityDetailDialog({ open, onOpenChange, activity }: P
} }
}; };
const formatValue = (value: any) => { const formatValue = (key: string, value: any) => {
if (value === null || value === undefined) return <span className="text-gray-400">-</span>; if (value === null || value === undefined) return <span className="text-gray-400">-</span>;
if (typeof value === 'boolean') return value ? '是' : '否';
// Special handling for boolean values based on key
if (typeof value === 'boolean') {
if (key === 'is_active') return value ? '啟用' : '停用';
return value ? '是' : '否';
}
if (typeof value === 'object') return JSON.stringify(value); if (typeof value === 'object') return JSON.stringify(value);
return String(value); return String(value);
}; };
const getFieldName = (key: string) => {
return fieldLabels[key] || key.charAt(0).toUpperCase() + key.slice(1).replace(/_/g, ' ');
};
// Helper to check if a key is a snapshot name field
const isSnapshotField = (key: string) => {
return ['category_name', 'base_unit_name', 'large_unit_name', 'purchase_unit_name', 'warehouse_name', 'product_name'].includes(key);
};
// Helper to get formatted value (merging ID and Name if available)
const getFormattedValue = (key: string, value: any, allData: Record<string, any>) => {
// If it's an ID field, check if we have a corresponding name snapshot
if (key.endsWith('_id')) {
const nameKey = key.replace('_id', '_name');
const nameValue = allData[nameKey];
if (nameValue) {
return `${nameValue}`;
}
}
return formatValue(key, value);
};
return ( return (
<Dialog open={open} onOpenChange={onOpenChange}> <Dialog open={open} onOpenChange={onOpenChange}>
<DialogContent className="max-w-2xl"> <DialogContent className="max-w-2xl">
<DialogHeader> <DialogHeader className="border-b pb-4">
<DialogTitle className="flex items-center gap-2"> <DialogTitle className="flex items-center gap-3">
<span className="text-xl font-bold text-gray-900"></span>
<Badge className={getEventBadgeColor(activity.event)}> <Badge variant="outline" className={`text-sm px-3 py-1 ${getEventBadgeClass(activity.event)}`}>
{getEventLabel(activity.event)} {getEventLabel(activity.event)}
</Badge> </Badge>
</DialogTitle> </DialogTitle>
<DialogDescription>
{activity.created_at} {activity.causer} {/* Modern Metadata Strip */}
</DialogDescription> <div className="flex flex-wrap items-center gap-6 pt-4 text-sm text-gray-500">
<div className="flex items-center gap-2">
<User className="w-4 h-4 text-gray-400" />
<span className="font-medium text-gray-700">{activity.causer}</span>
</div>
<div className="flex items-center gap-2">
<Clock className="w-4 h-4 text-gray-400" />
<span>{activity.created_at}</span>
</div>
<div className="flex items-center gap-2">
<Package className="w-4 h-4 text-gray-400" />
<span>{activity.subject_type}</span>
</div>
{/* Only show 'description' if it differs from event name (unlikely but safe) */}
{activity.description !== getEventLabel(activity.event) &&
activity.description !== 'created' && activity.description !== 'updated' && (
<div className="flex items-center gap-2">
<ActivityIcon className="w-4 h-4 text-gray-400" />
<span>{activity.description}</span>
</div>
)}
</div>
</DialogHeader> </DialogHeader>
<div className="mt-4 space-y-4"> <div className="py-4">
<div className="grid grid-cols-2 gap-4 text-sm">
<div>
<span className="text-gray-500"></span>
<span className="font-medium ml-2">{activity.subject_type}</span>
</div>
<div>
<span className="text-gray-500"></span>
<span className="font-medium ml-2">{activity.description}</span>
</div>
</div>
{activity.event === 'created' ? ( {activity.event === 'created' ? (
<div className="bg-gray-50 p-4 rounded-md text-center text-gray-500 text-sm"> <div className="border rounded-md overflow-hidden bg-white">
() <div className="grid grid-cols-2 bg-gray-50/80 px-4 py-2 text-xs font-semibold text-gray-500 uppercase tracking-wider border-b">
<div></div>
<div></div>
</div>
<ScrollArea className="h-[300px]">
<div className="divide-y divide-gray-100">
{filteredKeys
.filter(key => attributes[key] !== null && attributes[key] !== '' && !isSnapshotField(key))
.map((key) => (
<div key={key} className="grid grid-cols-2 px-4 py-3 text-sm hover:bg-gray-50/50 transition-colors">
<div className="font-medium text-gray-700">{getFieldName(key)}</div>
<div className="text-gray-900 font-medium">
{getFormattedValue(key, attributes[key], attributes)}
</div>
</div>
))}
{filteredKeys.filter(key => attributes[key] !== null && attributes[key] !== '' && !isSnapshotField(key)).length === 0 && (
<div className="p-8 text-center text-gray-500 text-sm">
</div>
)}
</div>
</ScrollArea>
</div> </div>
) : ( ) : (
<div className="border rounded-md"> <div className="border rounded-md overflow-hidden bg-white">
<div className="grid grid-cols-3 bg-gray-50 p-2 text-sm font-medium text-gray-500"> <div className="grid grid-cols-3 bg-gray-50/80 px-4 py-2 text-xs font-semibold text-gray-500 uppercase tracking-wider border-b">
<div></div> <div></div>
<div></div> <div></div>
<div></div> <div></div>
</div> </div>
<ScrollArea className="h-[300px]"> <ScrollArea className="h-[300px]">
{filteredKeys.length > 0 ? ( {filteredKeys.some(key => !isSnapshotField(key)) ? (
<div className="divide-y"> <div className="divide-y divide-gray-100">
{filteredKeys.map((key) => { {filteredKeys
const oldValue = old[key]; .filter(key => !isSnapshotField(key))
const newValue = attributes[key]; .map((key) => {
// Ensure we catch changes even if one value is missing/null const oldValue = old[key];
// For deleted events, newValue might be empty, so we just show oldValue const newValue = attributes[key];
const isChanged = JSON.stringify(oldValue) !== JSON.stringify(newValue); const isChanged = JSON.stringify(oldValue) !== JSON.stringify(newValue);
return ( return (
<div key={key} className={`grid grid-cols-3 p-2 text-sm ${isChanged ? 'bg-yellow-50/30' : ''}`}> <div key={key} className={`grid grid-cols-3 px-4 py-3 text-sm transition-colors ${isChanged ? 'bg-amber-50/50' : 'hover:bg-gray-50/50'}`}>
<div className="font-medium text-gray-700">{key}</div> <div className="font-medium text-gray-700 flex items-center">{getFieldName(key)}</div>
<div className="text-gray-600 break-words pr-2"> <div className="text-gray-500 break-words pr-4">
{formatValue(oldValue)} {getFormattedValue(key, oldValue, old)}
</div>
<div className="text-gray-900 font-medium break-words">
{activity.event === 'deleted' ? '-' : getFormattedValue(key, newValue, attributes)}
</div>
</div> </div>
<div className="text-gray-900 break-words font-medium"> );
{activity.event === 'deleted' ? '-' : formatValue(newValue)} })}
</div>
</div>
);
})}
</div> </div>
) : ( ) : (
<div className="p-8 text-center text-gray-500 text-sm"> <div className="p-8 text-center text-gray-500 text-sm">

View File

@@ -14,7 +14,6 @@ import { Badge } from "@/Components/ui/badge";
import Pagination from '@/Components/shared/Pagination'; import Pagination from '@/Components/shared/Pagination';
import { SearchableSelect } from "@/Components/ui/searchable-select"; import { SearchableSelect } from "@/Components/ui/searchable-select";
import { FileText, Eye, ArrowUpDown, ArrowUp, ArrowDown } from 'lucide-react'; import { FileText, Eye, ArrowUpDown, ArrowUp, ArrowDown } from 'lucide-react';
import { format } from 'date-fns';
import { Button } from '@/Components/ui/button'; import { Button } from '@/Components/ui/button';
import ActivityDetailDialog from './ActivityDetailDialog'; import ActivityDetailDialog from './ActivityDetailDialog';
@@ -55,12 +54,12 @@ export default function ActivityLogIndex({ activities, filters }: Props) {
const [selectedActivity, setSelectedActivity] = useState<Activity | null>(null); const [selectedActivity, setSelectedActivity] = useState<Activity | null>(null);
const [detailOpen, setDetailOpen] = useState(false); const [detailOpen, setDetailOpen] = useState(false);
const getEventBadgeColor = (event: string) => { const getEventBadgeClass = (event: string) => {
switch (event) { switch (event) {
case 'created': return 'bg-green-500 hover:bg-green-600'; case 'created': return 'bg-green-50 text-green-700 border-green-200 hover:bg-green-100';
case 'updated': return 'bg-blue-500 hover:bg-blue-600'; case 'updated': return 'bg-blue-50 text-blue-700 border-blue-200 hover:bg-blue-100';
case 'deleted': return 'bg-red-500 hover:bg-red-600'; case 'deleted': return 'bg-red-50 text-red-700 border-red-200 hover:bg-red-100';
default: return 'bg-gray-500 hover:bg-gray-600'; default: return 'bg-gray-50 text-gray-700 border-gray-200 hover:bg-gray-100';
} }
}; };
@@ -73,13 +72,69 @@ export default function ActivityLogIndex({ activities, filters }: Props) {
} }
}; };
const getDescription = (activity: Activity) => {
const props = activity.properties || {};
const attrs = props.attributes || {};
const old = props.old || {};
// Try to find a name in attributes or old values
// Priority: specific name fields > generic name > code > ID
const nameParams = ['product_name', 'warehouse_name', 'category_name', 'base_unit_name', 'name', 'code', 'title'];
let subjectName = '';
// Special handling for Inventory: show "Warehouse - Product"
if (attrs.warehouse_name && attrs.product_name) {
subjectName = `${attrs.warehouse_name} - ${attrs.product_name}`;
} else if (old.warehouse_name && old.product_name) {
subjectName = `${old.warehouse_name} - ${old.product_name}`;
} else {
// Default fallback
for (const param of nameParams) {
if (attrs[param]) {
subjectName = attrs[param];
break;
}
if (old[param]) {
subjectName = old[param];
break;
}
}
}
// If no name found, try ID but format it nicely if possible, or just don't show it if it's redundant with subject_type
if (!subjectName && (attrs.id || old.id)) {
subjectName = `#${attrs.id || old.id}`;
}
// Combine parts: [Causer] [Action] [Name] [Subject]
// Example: Admin 新增 可樂 商品
// Example: Admin 更新 台北倉 - 可樂 庫存
return (
<span className="flex items-center gap-1.5 flex-wrap">
<span className="font-medium text-gray-900">{activity.causer}</span>
<span className="text-gray-500">{getEventLabel(activity.event)}</span>
{subjectName && (
<span className="font-medium text-primary-600 bg-primary-50 px-1.5 py-0.5 rounded text-xs">
{subjectName}
</span>
)}
<span className="text-gray-700">{activity.subject_type}</span>
{/* Display reason/source if available (e.g., from Replenishment) */}
{(attrs._reason || old._reason) && (
<span className="text-gray-500 text-xs">
( {attrs._reason || old._reason})
</span>
)}
</span>
);
};
const handleViewDetail = (activity: Activity) => { const handleViewDetail = (activity: Activity) => {
setSelectedActivity(activity); setSelectedActivity(activity);
setDetailOpen(true); setDetailOpen(true);
}; };
const handlePerPageChange = (value: string) => { const handlePerPageChange = (value: string) => {
setPerPage(value); setPerPage(value);
router.get( router.get(
@@ -155,9 +210,9 @@ export default function ActivityLogIndex({ activities, filters }: Props) {
</button> </button>
</TableHead> </TableHead>
<TableHead className="w-[150px]"></TableHead> <TableHead className="w-[150px]"></TableHead>
<TableHead className="w-[100px] text-center"></TableHead>
<TableHead className="w-[150px]"></TableHead>
<TableHead></TableHead> <TableHead></TableHead>
<TableHead className="w-[100px] text-center"></TableHead>
<TableHead></TableHead>
<TableHead className="w-[100px] text-center"></TableHead> <TableHead className="w-[100px] text-center"></TableHead>
</TableRow> </TableRow>
</TableHeader> </TableHeader>
@@ -174,24 +229,19 @@ export default function ActivityLogIndex({ activities, filters }: Props) {
<TableCell> <TableCell>
<span className="font-medium text-gray-900">{activity.causer}</span> <span className="font-medium text-gray-900">{activity.causer}</span>
</TableCell> </TableCell>
<TableCell>
{getDescription(activity)}
</TableCell>
<TableCell className="text-center"> <TableCell className="text-center">
<Badge className={getEventBadgeColor(activity.event)}> <Badge variant="outline" className={getEventBadgeClass(activity.event)}>
{getEventLabel(activity.event)} {getEventLabel(activity.event)}
</Badge> </Badge>
</TableCell> </TableCell>
<TableCell> <TableCell>
<Badge variant="outline" className="bg-slate-50"> <Badge variant="outline" className="bg-slate-50 text-slate-600 border-slate-200">
{activity.subject_type} {activity.subject_type}
</Badge> </Badge>
</TableCell> </TableCell>
<TableCell className="text-gray-600" title={activity.description}>
<div className="flex items-center gap-2">
<span>{activity.causer}</span>
<span className="text-gray-400"></span>
<span className="font-medium text-gray-700">{activity.description}</span>
<span className="text-gray-400"></span>
</div>
</TableCell>
<TableCell className="text-center"> <TableCell className="text-center">
<Button <Button
variant="outline" variant="outline"
@@ -207,7 +257,7 @@ export default function ActivityLogIndex({ activities, filters }: Props) {
)) ))
) : ( ) : (
<TableRow> <TableRow>
<TableCell colSpan={7} className="text-center py-8 text-gray-500"> <TableCell colSpan={6} className="text-center py-8 text-gray-500">
</TableCell> </TableCell>
</TableRow> </TableRow>