Compare commits
3 Commits
f4067c56b4
...
be6e34914e
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
be6e34914e | ||
|
|
db9848cce7 | ||
|
|
cdc202454f |
@@ -0,0 +1,11 @@
|
||||
exports.up = function (knex) {
|
||||
return knex.schema.table('object_definitions', (table) => {
|
||||
table.string('nameField', 255).comment('API name of the field to use as record display name');
|
||||
});
|
||||
};
|
||||
|
||||
exports.down = function (knex) {
|
||||
return knex.schema.table('object_definitions', (table) => {
|
||||
table.dropColumn('nameField');
|
||||
});
|
||||
};
|
||||
@@ -0,0 +1,22 @@
|
||||
exports.up = function (knex) {
|
||||
return knex.schema.table('object_definitions', (table) => {
|
||||
table.uuid('app_id').nullable()
|
||||
.comment('Optional: App that this object belongs to');
|
||||
|
||||
table
|
||||
.foreign('app_id')
|
||||
.references('id')
|
||||
.inTable('apps')
|
||||
.onDelete('SET NULL');
|
||||
|
||||
table.index(['app_id']);
|
||||
});
|
||||
};
|
||||
|
||||
exports.down = function (knex) {
|
||||
return knex.schema.table('object_definitions', (table) => {
|
||||
table.dropForeign('app_id');
|
||||
table.dropIndex('app_id');
|
||||
table.dropColumn('app_id');
|
||||
});
|
||||
};
|
||||
72
backend/scripts/update-name-field.ts
Normal file
72
backend/scripts/update-name-field.ts
Normal file
@@ -0,0 +1,72 @@
|
||||
import { getCentralPrisma } from '../src/prisma/central-prisma.service';
|
||||
import * as knex from 'knex';
|
||||
import * as crypto from 'crypto';
|
||||
|
||||
function decrypt(text: string): string {
|
||||
const parts = text.split(':');
|
||||
const iv = Buffer.from(parts.shift()!, 'hex');
|
||||
const encryptedText = Buffer.from(parts.join(':'), 'hex');
|
||||
const key = Buffer.from(process.env.ENCRYPTION_KEY, 'hex');
|
||||
const decipher = crypto.createDecipheriv(
|
||||
'aes-256-cbc',
|
||||
key,
|
||||
iv,
|
||||
);
|
||||
let decrypted = decipher.update(encryptedText);
|
||||
decrypted = Buffer.concat([decrypted, decipher.final()]);
|
||||
return decrypted.toString();
|
||||
}
|
||||
|
||||
async function updateNameField() {
|
||||
const centralPrisma = getCentralPrisma();
|
||||
|
||||
try {
|
||||
// Find tenant1
|
||||
const tenant = await centralPrisma.tenant.findFirst({
|
||||
where: {
|
||||
OR: [
|
||||
{ id: 'tenant1' },
|
||||
{ slug: 'tenant1' },
|
||||
],
|
||||
},
|
||||
});
|
||||
|
||||
if (!tenant) {
|
||||
console.error('❌ Tenant tenant1 not found');
|
||||
process.exit(1);
|
||||
}
|
||||
|
||||
console.log(`📋 Tenant: ${tenant.name} (${tenant.slug})`);
|
||||
console.log(`📊 Database: ${tenant.dbName}`);
|
||||
|
||||
// Decrypt password
|
||||
const password = decrypt(tenant.dbPassword);
|
||||
|
||||
// Create connection
|
||||
const tenantKnex = knex.default({
|
||||
client: 'mysql2',
|
||||
connection: {
|
||||
host: tenant.dbHost,
|
||||
port: tenant.dbPort,
|
||||
user: tenant.dbUsername,
|
||||
password: password,
|
||||
database: tenant.dbName,
|
||||
},
|
||||
});
|
||||
|
||||
// Update Account object
|
||||
await tenantKnex('object_definitions')
|
||||
.where({ apiName: 'Account' })
|
||||
.update({ nameField: 'name' });
|
||||
|
||||
console.log('✅ Updated Account object nameField to "name"');
|
||||
|
||||
await tenantKnex.destroy();
|
||||
await centralPrisma.$disconnect();
|
||||
} catch (error) {
|
||||
console.error('❌ Error:', error);
|
||||
process.exit(1);
|
||||
}
|
||||
}
|
||||
|
||||
updateNameField();
|
||||
@@ -8,9 +8,23 @@ export class ObjectService {
|
||||
// Setup endpoints - Object metadata management
|
||||
async getObjectDefinitions(tenantId: string) {
|
||||
const knex = await this.tenantDbService.getTenantKnex(tenantId);
|
||||
return knex('object_definitions')
|
||||
.select('*')
|
||||
|
||||
const objects = await knex('object_definitions')
|
||||
.select('object_definitions.*')
|
||||
.orderBy('label', 'asc');
|
||||
|
||||
// Fetch app information for objects that have app_id
|
||||
for (const obj of objects) {
|
||||
if (obj.app_id) {
|
||||
const app = await knex('apps')
|
||||
.where({ id: obj.app_id })
|
||||
.select('id', 'slug', 'label', 'description')
|
||||
.first();
|
||||
obj.app = app;
|
||||
}
|
||||
}
|
||||
|
||||
return objects;
|
||||
}
|
||||
|
||||
async getObjectDefinition(tenantId: string, apiName: string) {
|
||||
@@ -29,9 +43,19 @@ export class ObjectService {
|
||||
.where({ objectDefinitionId: obj.id })
|
||||
.orderBy('label', 'asc');
|
||||
|
||||
// Get app information if object belongs to an app
|
||||
let app = null;
|
||||
if (obj.app_id) {
|
||||
app = await knex('apps')
|
||||
.where({ id: obj.app_id })
|
||||
.select('id', 'slug', 'label', 'description')
|
||||
.first();
|
||||
}
|
||||
|
||||
return {
|
||||
...obj,
|
||||
fields,
|
||||
app,
|
||||
};
|
||||
}
|
||||
|
||||
@@ -84,6 +108,25 @@ export class ObjectService {
|
||||
return knex('field_definitions').where({ id }).first();
|
||||
}
|
||||
|
||||
// Helper to get table name from object definition
|
||||
private getTableName(objectApiName: string): string {
|
||||
// Convert CamelCase to snake_case and pluralize
|
||||
// Account -> accounts, ContactPerson -> contact_persons
|
||||
const snakeCase = objectApiName
|
||||
.replace(/([A-Z])/g, '_$1')
|
||||
.toLowerCase()
|
||||
.replace(/^_/, '');
|
||||
|
||||
// Simple pluralization (can be enhanced)
|
||||
if (snakeCase.endsWith('y')) {
|
||||
return snakeCase.slice(0, -1) + 'ies';
|
||||
} else if (snakeCase.endsWith('s')) {
|
||||
return snakeCase;
|
||||
} else {
|
||||
return snakeCase + 's';
|
||||
}
|
||||
}
|
||||
|
||||
// Runtime endpoints - CRUD operations
|
||||
async getRecords(
|
||||
tenantId: string,
|
||||
@@ -93,15 +136,25 @@ export class ObjectService {
|
||||
) {
|
||||
const knex = await this.tenantDbService.getTenantKnex(tenantId);
|
||||
|
||||
// For demonstration, using Account as example static object
|
||||
if (objectApiName === 'Account') {
|
||||
return knex('accounts')
|
||||
.where({ ownerId: userId })
|
||||
.where(filters || {});
|
||||
// Verify object exists
|
||||
await this.getObjectDefinition(tenantId, objectApiName);
|
||||
|
||||
const tableName = this.getTableName(objectApiName);
|
||||
|
||||
let query = knex(tableName);
|
||||
|
||||
// Add ownership filter if ownerId field exists
|
||||
const hasOwner = await knex.schema.hasColumn(tableName, 'ownerId');
|
||||
if (hasOwner) {
|
||||
query = query.where({ ownerId: userId });
|
||||
}
|
||||
|
||||
// For custom objects, you'd need dynamic query building
|
||||
throw new Error(`Runtime queries for ${objectApiName} not yet implemented`);
|
||||
// Apply additional filters
|
||||
if (filters) {
|
||||
query = query.where(filters);
|
||||
}
|
||||
|
||||
return query.select('*');
|
||||
}
|
||||
|
||||
async getRecord(
|
||||
@@ -112,19 +165,26 @@ export class ObjectService {
|
||||
) {
|
||||
const knex = await this.tenantDbService.getTenantKnex(tenantId);
|
||||
|
||||
if (objectApiName === 'Account') {
|
||||
const record = await knex('accounts')
|
||||
.where({ id: recordId, ownerId: userId })
|
||||
.first();
|
||||
// Verify object exists
|
||||
await this.getObjectDefinition(tenantId, objectApiName);
|
||||
|
||||
if (!record) {
|
||||
throw new NotFoundException('Record not found');
|
||||
}
|
||||
const tableName = this.getTableName(objectApiName);
|
||||
|
||||
return record;
|
||||
let query = knex(tableName).where({ id: recordId });
|
||||
|
||||
// Add ownership filter if ownerId field exists
|
||||
const hasOwner = await knex.schema.hasColumn(tableName, 'ownerId');
|
||||
if (hasOwner) {
|
||||
query = query.where({ ownerId: userId });
|
||||
}
|
||||
|
||||
throw new Error(`Runtime queries for ${objectApiName} not yet implemented`);
|
||||
const record = await query.first();
|
||||
|
||||
if (!record) {
|
||||
throw new NotFoundException('Record not found');
|
||||
}
|
||||
|
||||
return record;
|
||||
}
|
||||
|
||||
async createRecord(
|
||||
@@ -135,19 +195,28 @@ export class ObjectService {
|
||||
) {
|
||||
const knex = await this.tenantDbService.getTenantKnex(tenantId);
|
||||
|
||||
if (objectApiName === 'Account') {
|
||||
const [id] = await knex('accounts').insert({
|
||||
id: knex.raw('(UUID())'),
|
||||
ownerId: userId,
|
||||
...data,
|
||||
created_at: knex.fn.now(),
|
||||
updated_at: knex.fn.now(),
|
||||
});
|
||||
// Verify object exists
|
||||
await this.getObjectDefinition(tenantId, objectApiName);
|
||||
|
||||
return knex('accounts').where({ id }).first();
|
||||
const tableName = this.getTableName(objectApiName);
|
||||
|
||||
// Check if table has ownerId column
|
||||
const hasOwner = await knex.schema.hasColumn(tableName, 'ownerId');
|
||||
|
||||
const recordData: any = {
|
||||
id: knex.raw('(UUID())'),
|
||||
...data,
|
||||
created_at: knex.fn.now(),
|
||||
updated_at: knex.fn.now(),
|
||||
};
|
||||
|
||||
if (hasOwner) {
|
||||
recordData.ownerId = userId;
|
||||
}
|
||||
|
||||
throw new Error(`Runtime queries for ${objectApiName} not yet implemented`);
|
||||
const [id] = await knex(tableName).insert(recordData);
|
||||
|
||||
return knex(tableName).where({ id }).first();
|
||||
}
|
||||
|
||||
async updateRecord(
|
||||
@@ -159,18 +228,16 @@ export class ObjectService {
|
||||
) {
|
||||
const knex = await this.tenantDbService.getTenantKnex(tenantId);
|
||||
|
||||
if (objectApiName === 'Account') {
|
||||
// Verify ownership
|
||||
await this.getRecord(tenantId, objectApiName, recordId, userId);
|
||||
// Verify object exists and user has access
|
||||
await this.getRecord(tenantId, objectApiName, recordId, userId);
|
||||
|
||||
await knex('accounts')
|
||||
.where({ id: recordId })
|
||||
.update({ ...data, updated_at: knex.fn.now() });
|
||||
const tableName = this.getTableName(objectApiName);
|
||||
|
||||
return knex('accounts').where({ id: recordId }).first();
|
||||
}
|
||||
await knex(tableName)
|
||||
.where({ id: recordId })
|
||||
.update({ ...data, updated_at: knex.fn.now() });
|
||||
|
||||
throw new Error(`Runtime queries for ${objectApiName} not yet implemented`);
|
||||
return knex(tableName).where({ id: recordId }).first();
|
||||
}
|
||||
|
||||
async deleteRecord(
|
||||
@@ -181,15 +248,13 @@ export class ObjectService {
|
||||
) {
|
||||
const knex = await this.tenantDbService.getTenantKnex(tenantId);
|
||||
|
||||
if (objectApiName === 'Account') {
|
||||
// Verify ownership
|
||||
await this.getRecord(tenantId, objectApiName, recordId, userId);
|
||||
// Verify object exists and user has access
|
||||
await this.getRecord(tenantId, objectApiName, recordId, userId);
|
||||
|
||||
await knex('accounts').where({ id: recordId }).delete();
|
||||
const tableName = this.getTableName(objectApiName);
|
||||
|
||||
return { success: true };
|
||||
}
|
||||
await knex(tableName).where({ id: recordId }).delete();
|
||||
|
||||
throw new Error(`Runtime queries for ${objectApiName} not yet implemented`);
|
||||
return { success: true };
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,4 +1,5 @@
|
||||
<script setup lang="ts">
|
||||
import { ref, onMounted } from 'vue'
|
||||
import {
|
||||
Sidebar,
|
||||
SidebarContent,
|
||||
@@ -19,12 +20,53 @@ import { Collapsible, CollapsibleContent, CollapsibleTrigger } from '@/component
|
||||
import { LayoutGrid, Boxes, Settings, Home, ChevronRight, Database, Layers, LogOut } from 'lucide-vue-next'
|
||||
|
||||
const { logout } = useAuth()
|
||||
const { api } = useApi()
|
||||
|
||||
const handleLogout = async () => {
|
||||
await logout()
|
||||
}
|
||||
|
||||
const menuItems = [
|
||||
// Fetch objects and group by app
|
||||
const apps = ref<any[]>([])
|
||||
const topLevelObjects = ref<any[]>([])
|
||||
const loading = ref(true)
|
||||
|
||||
onMounted(async () => {
|
||||
try {
|
||||
const response = await api.get('/setup/objects')
|
||||
const allObjects = response.data || response || []
|
||||
|
||||
// Group objects by app
|
||||
const appMap = new Map<string, any>()
|
||||
const noAppObjects: any[] = []
|
||||
|
||||
allObjects.forEach((obj: any) => {
|
||||
const appId = obj.app_id || obj.appId
|
||||
if (appId) {
|
||||
if (!appMap.has(appId)) {
|
||||
appMap.set(appId, {
|
||||
id: appId,
|
||||
name: obj.app?.name || obj.app?.label || 'Unknown App',
|
||||
label: obj.app?.label || obj.app?.name || 'Unknown App',
|
||||
objects: []
|
||||
})
|
||||
}
|
||||
appMap.get(appId)!.objects.push(obj)
|
||||
} else {
|
||||
noAppObjects.push(obj)
|
||||
}
|
||||
})
|
||||
|
||||
apps.value = Array.from(appMap.values())
|
||||
topLevelObjects.value = noAppObjects
|
||||
} catch (e) {
|
||||
console.error('Failed to load objects:', e)
|
||||
} finally {
|
||||
loading.value = false
|
||||
}
|
||||
})
|
||||
|
||||
const staticMenuItems = [
|
||||
{
|
||||
title: 'Home',
|
||||
url: '/',
|
||||
@@ -46,17 +88,6 @@ const menuItems = [
|
||||
},
|
||||
],
|
||||
},
|
||||
{
|
||||
title: 'Runtime',
|
||||
icon: Database,
|
||||
items: [
|
||||
{
|
||||
title: 'My Apps',
|
||||
url: '/app',
|
||||
icon: Layers,
|
||||
},
|
||||
],
|
||||
},
|
||||
]
|
||||
</script>
|
||||
|
||||
@@ -82,11 +113,12 @@ const menuItems = [
|
||||
</SidebarMenu>
|
||||
</SidebarHeader>
|
||||
<SidebarContent>
|
||||
<!-- Static Menu Items -->
|
||||
<SidebarGroup>
|
||||
<SidebarGroupLabel>Application</SidebarGroupLabel>
|
||||
<SidebarGroupLabel>Navigation</SidebarGroupLabel>
|
||||
<SidebarGroupContent>
|
||||
<SidebarMenu>
|
||||
<template v-for="item in menuItems" :key="item.title">
|
||||
<template v-for="item in staticMenuItems" :key="item.title">
|
||||
<!-- Simple menu item -->
|
||||
<SidebarMenuItem v-if="!item.items">
|
||||
<SidebarMenuButton as-child>
|
||||
@@ -127,6 +159,63 @@ const menuItems = [
|
||||
</SidebarMenu>
|
||||
</SidebarGroupContent>
|
||||
</SidebarGroup>
|
||||
|
||||
<!-- Top-level Objects (no app) -->
|
||||
<SidebarGroup v-if="!loading && topLevelObjects.length > 0">
|
||||
<SidebarGroupLabel>Objects</SidebarGroupLabel>
|
||||
<SidebarGroupContent>
|
||||
<SidebarMenu>
|
||||
<SidebarMenuItem v-for="obj in topLevelObjects" :key="obj.id">
|
||||
<SidebarMenuButton as-child>
|
||||
<NuxtLink :to="`/${obj.apiName.toLowerCase()}`">
|
||||
<Database class="h-4 w-4" />
|
||||
<span>{{ obj.label || obj.apiName }}</span>
|
||||
</NuxtLink>
|
||||
</SidebarMenuButton>
|
||||
</SidebarMenuItem>
|
||||
</SidebarMenu>
|
||||
</SidebarGroupContent>
|
||||
</SidebarGroup>
|
||||
|
||||
<!-- App-grouped Objects -->
|
||||
<SidebarGroup v-if="!loading && apps.length > 0">
|
||||
<SidebarGroupLabel>Apps</SidebarGroupLabel>
|
||||
<SidebarGroupContent>
|
||||
<SidebarMenu>
|
||||
<Collapsible
|
||||
v-for="app in apps"
|
||||
:key="app.id"
|
||||
as-child
|
||||
:default-open="true"
|
||||
class="group/collapsible"
|
||||
>
|
||||
<SidebarMenuItem>
|
||||
<CollapsibleTrigger as-child>
|
||||
<SidebarMenuButton :tooltip="app.label">
|
||||
<LayoutGrid class="h-4 w-4" />
|
||||
<span>{{ app.label }}</span>
|
||||
<ChevronRight
|
||||
class="ml-auto transition-transform duration-200 group-data-[state=open]/collapsible:rotate-90"
|
||||
/>
|
||||
</SidebarMenuButton>
|
||||
</CollapsibleTrigger>
|
||||
<CollapsibleContent>
|
||||
<SidebarMenuSub>
|
||||
<SidebarMenuSubItem v-for="obj in app.objects" :key="obj.id">
|
||||
<SidebarMenuSubButton as-child>
|
||||
<NuxtLink :to="`/${obj.apiName.toLowerCase()}`">
|
||||
<Database class="h-4 w-4" />
|
||||
<span>{{ obj.label || obj.apiName }}</span>
|
||||
</NuxtLink>
|
||||
</SidebarMenuSubButton>
|
||||
</SidebarMenuSubItem>
|
||||
</SidebarMenuSub>
|
||||
</CollapsibleContent>
|
||||
</SidebarMenuItem>
|
||||
</Collapsible>
|
||||
</SidebarMenu>
|
||||
</SidebarGroupContent>
|
||||
</SidebarGroup>
|
||||
</SidebarContent>
|
||||
<SidebarFooter>
|
||||
<SidebarMenu>
|
||||
|
||||
20
frontend/composables/useBreadcrumbs.ts
Normal file
20
frontend/composables/useBreadcrumbs.ts
Normal file
@@ -0,0 +1,20 @@
|
||||
import { ref } from 'vue'
|
||||
|
||||
// Shared state for breadcrumbs
|
||||
const customBreadcrumbs = ref<Array<{ name: string; path?: string; isLast?: boolean }>>([])
|
||||
|
||||
export function useBreadcrumbs() {
|
||||
const setBreadcrumbs = (crumbs: Array<{ name: string; path?: string; isLast?: boolean }>) => {
|
||||
customBreadcrumbs.value = crumbs
|
||||
}
|
||||
|
||||
const clearBreadcrumbs = () => {
|
||||
customBreadcrumbs.value = []
|
||||
}
|
||||
|
||||
return {
|
||||
breadcrumbs: customBreadcrumbs,
|
||||
setBreadcrumbs,
|
||||
clearBreadcrumbs
|
||||
}
|
||||
}
|
||||
@@ -308,12 +308,13 @@ export const useViewState = <T extends { id?: string }>(
|
||||
}
|
||||
|
||||
const handleSave = async (data: T) => {
|
||||
let savedRecord
|
||||
if (data.id) {
|
||||
await updateRecord(data.id, data)
|
||||
savedRecord = await updateRecord(data.id, data)
|
||||
} else {
|
||||
await createRecord(data)
|
||||
savedRecord = await createRecord(data)
|
||||
}
|
||||
showDetail(currentRecord.value!)
|
||||
return savedRecord
|
||||
}
|
||||
|
||||
return {
|
||||
|
||||
@@ -1,4 +1,5 @@
|
||||
<script setup lang="ts">
|
||||
import { ref } from 'vue'
|
||||
import AppSidebar from '@/components/AppSidebar.vue'
|
||||
import AIChatBar from '@/components/AIChatBar.vue'
|
||||
import {
|
||||
@@ -13,8 +14,15 @@ import { Separator } from '@/components/ui/separator'
|
||||
import { SidebarInset, SidebarProvider, SidebarTrigger } from '@/components/ui/sidebar'
|
||||
|
||||
const route = useRoute()
|
||||
const { breadcrumbs: customBreadcrumbs } = useBreadcrumbs()
|
||||
|
||||
const breadcrumbs = computed(() => {
|
||||
// If custom breadcrumbs are set by the page, use those
|
||||
if (customBreadcrumbs.value.length > 0) {
|
||||
return customBreadcrumbs.value
|
||||
}
|
||||
|
||||
// Otherwise, fall back to URL-based breadcrumbs
|
||||
const paths = route.path.split('/').filter(Boolean)
|
||||
return paths.map((path, index) => ({
|
||||
name: path.charAt(0).toUpperCase() + path.slice(1),
|
||||
|
||||
301
frontend/pages/[objectName]/[[recordId]]/[[view]].vue
Normal file
301
frontend/pages/[objectName]/[[recordId]]/[[view]].vue
Normal file
@@ -0,0 +1,301 @@
|
||||
<script setup lang="ts">
|
||||
import { ref, computed, onMounted, watch, nextTick } from 'vue'
|
||||
import { useRoute, useRouter } from 'vue-router'
|
||||
import { useApi } from '@/composables/useApi'
|
||||
import { useFields, useViewState } from '@/composables/useFieldViews'
|
||||
import ListView from '@/components/views/ListView.vue'
|
||||
import DetailView from '@/components/views/DetailView.vue'
|
||||
import EditView from '@/components/views/EditView.vue'
|
||||
|
||||
const route = useRoute()
|
||||
const router = useRouter()
|
||||
const { api } = useApi()
|
||||
const { buildListViewConfig, buildDetailViewConfig, buildEditViewConfig } = useFields()
|
||||
|
||||
// Use breadcrumbs composable
|
||||
const { setBreadcrumbs } = useBreadcrumbs()
|
||||
|
||||
// Get object API name from route (case-insensitive)
|
||||
const objectApiName = computed(() => {
|
||||
const name = route.params.objectName as string
|
||||
// We'll look up the actual case-sensitive name from the backend
|
||||
return name
|
||||
})
|
||||
const recordId = computed(() => route.params.recordId as string)
|
||||
const view = computed(() => {
|
||||
// If recordId is 'new', default to 'edit' view
|
||||
if (route.params.recordId === 'new' && !route.params.view) {
|
||||
return 'edit'
|
||||
}
|
||||
return (route.params.view as 'list' | 'detail' | 'edit') || 'list'
|
||||
})
|
||||
|
||||
// State
|
||||
const objectDefinition = ref<any>(null)
|
||||
const loading = ref(true)
|
||||
const error = ref<string | null>(null)
|
||||
|
||||
// Use view state composable
|
||||
const {
|
||||
records,
|
||||
currentRecord,
|
||||
loading: dataLoading,
|
||||
saving,
|
||||
fetchRecords,
|
||||
fetchRecord,
|
||||
deleteRecord,
|
||||
deleteRecords,
|
||||
handleSave,
|
||||
} = useViewState(`/runtime/objects/${objectApiName.value}/records`)
|
||||
|
||||
// Compute breadcrumbs based on the current route and object data
|
||||
const updateBreadcrumbs = () => {
|
||||
if (!objectDefinition.value) {
|
||||
return
|
||||
}
|
||||
|
||||
const crumbs: Array<{ name: string; path?: string; isLast?: boolean }> = []
|
||||
|
||||
// Add app breadcrumb if object belongs to an app
|
||||
if (objectDefinition.value?.app) {
|
||||
crumbs.push({
|
||||
name: objectDefinition.value.app.label || objectDefinition.value.app.name,
|
||||
path: undefined, // No path for app grouping
|
||||
})
|
||||
}
|
||||
|
||||
// Add object breadcrumb - always use plural
|
||||
const objectLabel = objectDefinition.value?.pluralLabel || objectDefinition.value?.label || objectApiName.value
|
||||
|
||||
crumbs.push({
|
||||
name: objectLabel,
|
||||
path: `/${objectApiName.value.toLowerCase()}`,
|
||||
})
|
||||
|
||||
// Add record name if viewing/editing a specific record
|
||||
if (recordId.value && recordId.value !== 'new' && currentRecord.value) {
|
||||
const nameField = objectDefinition.value?.nameField
|
||||
let recordName = recordId.value // fallback to ID
|
||||
|
||||
// Try to get the display name from the nameField
|
||||
if (nameField && currentRecord.value[nameField]) {
|
||||
recordName = currentRecord.value[nameField]
|
||||
}
|
||||
|
||||
crumbs.push({
|
||||
name: recordName,
|
||||
isLast: true,
|
||||
})
|
||||
} else if (recordId.value === 'new') {
|
||||
crumbs.push({
|
||||
name: 'New',
|
||||
isLast: true,
|
||||
})
|
||||
}
|
||||
|
||||
setBreadcrumbs(crumbs)
|
||||
}
|
||||
|
||||
// Watch for changes that affect breadcrumbs
|
||||
watch([objectDefinition, currentRecord, recordId], () => {
|
||||
updateBreadcrumbs()
|
||||
}, { deep: true })
|
||||
|
||||
// View configs
|
||||
const listConfig = computed(() => {
|
||||
if (!objectDefinition.value) return null
|
||||
return buildListViewConfig(objectDefinition.value, {
|
||||
searchable: true,
|
||||
exportable: true,
|
||||
filterable: true,
|
||||
})
|
||||
})
|
||||
|
||||
const detailConfig = computed(() => {
|
||||
if (!objectDefinition.value) return null
|
||||
return buildDetailViewConfig(objectDefinition.value)
|
||||
})
|
||||
|
||||
const editConfig = computed(() => {
|
||||
if (!objectDefinition.value) return null
|
||||
return buildEditViewConfig(objectDefinition.value)
|
||||
})
|
||||
|
||||
// Fetch object definition
|
||||
const fetchObjectDefinition = async () => {
|
||||
try {
|
||||
loading.value = true
|
||||
error.value = null
|
||||
const response = await api.get(`/setup/objects/${objectApiName.value}`)
|
||||
objectDefinition.value = response
|
||||
} catch (e: any) {
|
||||
error.value = e.message || 'Failed to load object definition'
|
||||
console.error('Error fetching object definition:', e)
|
||||
} finally {
|
||||
loading.value = false
|
||||
}
|
||||
}
|
||||
|
||||
// Navigation handlers - use lowercase URLs
|
||||
const handleRowClick = (row: any) => {
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/${row.id}/detail`)
|
||||
}
|
||||
|
||||
const handleCreate = () => {
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/new`)
|
||||
}
|
||||
|
||||
const handleEdit = (row?: any) => {
|
||||
const id = row?.id || recordId.value
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/${id}/edit`)
|
||||
}
|
||||
|
||||
const handleBack = () => {
|
||||
// Navigate to list view explicitly
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/`)
|
||||
}
|
||||
|
||||
const handleDelete = async (rows: any[]) => {
|
||||
if (confirm(`Delete ${rows.length} record(s)? This action cannot be undone.`)) {
|
||||
try {
|
||||
const ids = rows.map(r => r.id)
|
||||
await deleteRecords(ids)
|
||||
if (view.value !== 'list') {
|
||||
await router.push(`/${objectApiName.value.toLowerCase()}/`)
|
||||
}
|
||||
} catch (e: any) {
|
||||
error.value = e.message || 'Failed to delete records'
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
const handleSaveRecord = async (data: any) => {
|
||||
try {
|
||||
const savedRecord = await handleSave(data)
|
||||
if (savedRecord?.id) {
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/${savedRecord.id}/detail`)
|
||||
} else {
|
||||
// Fallback to list if no ID available
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/`)
|
||||
}
|
||||
} catch (e: any) {
|
||||
error.value = e.message || 'Failed to save record'
|
||||
}
|
||||
}
|
||||
|
||||
const handleCancel = () => {
|
||||
if (recordId.value && recordId.value !== 'new') {
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/${recordId.value}/detail`)
|
||||
} else {
|
||||
router.push(`/${objectApiName.value.toLowerCase()}/`)
|
||||
}
|
||||
}
|
||||
|
||||
// Watch for route changes
|
||||
watch(() => route.params, async (newParams, oldParams) => {
|
||||
// Reset current record when navigating to 'new'
|
||||
if (newParams.recordId === 'new') {
|
||||
currentRecord.value = null
|
||||
}
|
||||
|
||||
// Fetch record if navigating to existing record
|
||||
if (newParams.recordId && newParams.recordId !== 'new' && newParams.recordId !== oldParams.recordId) {
|
||||
await fetchRecord(newParams.recordId as string)
|
||||
}
|
||||
|
||||
// Fetch records if navigating back to list
|
||||
if (!newParams.recordId && !newParams.view) {
|
||||
await fetchRecords()
|
||||
}
|
||||
}, { deep: true })
|
||||
|
||||
// Initialize
|
||||
onMounted(async () => {
|
||||
await fetchObjectDefinition()
|
||||
|
||||
if (view.value === 'list') {
|
||||
await fetchRecords()
|
||||
} else if (recordId.value && recordId.value !== 'new') {
|
||||
await fetchRecord(recordId.value)
|
||||
}
|
||||
|
||||
// Update breadcrumbs after data is loaded
|
||||
updateBreadcrumbs()
|
||||
})
|
||||
</script>
|
||||
|
||||
<template>
|
||||
<NuxtLayout name="default">
|
||||
<div class="object-view-container">
|
||||
|
||||
<!-- Page Header -->
|
||||
<div v-if="!loading && !error && view === 'list'" class="mb-6">
|
||||
<h1 class="text-3xl font-bold">{{ objectDefinition?.label || objectApiName }}</h1>
|
||||
<p v-if="objectDefinition?.description" class="text-muted-foreground mt-2">
|
||||
{{ objectDefinition.description }}
|
||||
</p>
|
||||
</div>
|
||||
|
||||
<!-- Loading State -->
|
||||
<div v-if="loading" class="flex items-center justify-center min-h-screen">
|
||||
<div class="text-center space-y-4">
|
||||
<div class="animate-spin rounded-full h-12 w-12 border-b-2 border-primary mx-auto"></div>
|
||||
<p class="text-muted-foreground">Loading {{ objectApiName }}...</p>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Error State -->
|
||||
<div v-else-if="error" class="flex items-center justify-center min-h-screen">
|
||||
<div class="text-center space-y-4 max-w-md">
|
||||
<div class="text-destructive text-5xl">⚠️</div>
|
||||
<h2 class="text-2xl font-bold">Error</h2>
|
||||
<p class="text-muted-foreground">{{ error }}</p>
|
||||
<Button @click="router.back()">Go Back</Button>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- List View -->
|
||||
<ListView
|
||||
v-else-if="view === 'list' && listConfig"
|
||||
:config="listConfig"
|
||||
:data="records"
|
||||
:loading="dataLoading"
|
||||
selectable
|
||||
@row-click="handleRowClick"
|
||||
@create="handleCreate"
|
||||
@edit="handleEdit"
|
||||
@delete="handleDelete"
|
||||
/>
|
||||
|
||||
<!-- Detail View -->
|
||||
<DetailView
|
||||
v-else-if="view === 'detail' && detailConfig && currentRecord"
|
||||
:config="detailConfig"
|
||||
:data="currentRecord"
|
||||
:loading="dataLoading"
|
||||
@edit="handleEdit"
|
||||
@delete="() => handleDelete([currentRecord])"
|
||||
@back="handleBack"
|
||||
/>
|
||||
|
||||
<!-- Edit View -->
|
||||
<EditView
|
||||
v-else-if="(view === 'edit' || recordId === 'new') && editConfig"
|
||||
:config="editConfig"
|
||||
:data="currentRecord || {}"
|
||||
:loading="dataLoading"
|
||||
:saving="saving"
|
||||
@save="handleSaveRecord"
|
||||
@cancel="handleCancel"
|
||||
@back="handleBack"
|
||||
/>
|
||||
</div>
|
||||
</NuxtLayout>
|
||||
</template>
|
||||
|
||||
<style scoped>
|
||||
.object-view-container {
|
||||
min-height: 100vh;
|
||||
padding: 2rem;
|
||||
}
|
||||
</style>
|
||||
@@ -1,5 +1,5 @@
|
||||
<script setup lang="ts">
|
||||
import { ref, computed, onMounted, watch } from 'vue'
|
||||
import { ref, computed, onMounted, watch, nextTick } from 'vue'
|
||||
import { useRoute, useRouter } from 'vue-router'
|
||||
import { useApi } from '@/composables/useApi'
|
||||
import { useFields, useViewState } from '@/composables/useFieldViews'
|
||||
@@ -111,8 +111,13 @@ const handleDelete = async (rows: any[]) => {
|
||||
|
||||
const handleSaveRecord = async (data: any) => {
|
||||
try {
|
||||
await handleSave(data)
|
||||
router.push(`/app/objects/${objectApiName.value}/${currentRecord.value?.id || data.id}/detail`)
|
||||
const savedRecord = await handleSave(data)
|
||||
if (savedRecord?.id) {
|
||||
router.push(`/app/objects/${objectApiName.value}/${savedRecord.id}/detail`)
|
||||
} else {
|
||||
// Fallback to list if no ID available
|
||||
router.push(`/app/objects/${objectApiName.value}/`)
|
||||
}
|
||||
} catch (e: any) {
|
||||
error.value = e.message || 'Failed to save record'
|
||||
}
|
||||
|
||||
Reference in New Issue
Block a user