Added basic crud for objects
This commit is contained in:
@@ -47,18 +47,22 @@ const sections = computed<FieldSection[]>(() => {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// Default section with all visible fields
|
// Default section with all visible fields
|
||||||
|
const visibleFields = props.config.fields
|
||||||
|
.filter(f => f.showOnEdit !== false)
|
||||||
|
.map(f => f.apiName)
|
||||||
|
|
||||||
return [{
|
return [{
|
||||||
title: 'Details',
|
title: 'Details',
|
||||||
fields: props.config.fields
|
fields: visibleFields,
|
||||||
.filter(f => f.showOnEdit !== false)
|
|
||||||
.map(f => f.apiName),
|
|
||||||
}]
|
}]
|
||||||
})
|
})
|
||||||
|
|
||||||
const getFieldsBySection = (section: FieldSection) => {
|
const getFieldsBySection = (section: FieldSection) => {
|
||||||
return section.fields
|
const fields = section.fields
|
||||||
.map(apiName => props.config.fields.find(f => f.apiName === apiName))
|
.map(apiName => props.config.fields.find(f => f.apiName === apiName))
|
||||||
.filter(Boolean)
|
.filter(Boolean)
|
||||||
|
|
||||||
|
return fields
|
||||||
}
|
}
|
||||||
|
|
||||||
const validateField = (field: any): string | null => {
|
const validateField = (field: any): string | null => {
|
||||||
|
|||||||
@@ -231,4 +231,12 @@ const handleAction = (actionId: string) => {
|
|||||||
.list-view {
|
.list-view {
|
||||||
width: 100%;
|
width: 100%;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.list-view :deep(.border) {
|
||||||
|
background-color: hsl(var(--card));
|
||||||
|
}
|
||||||
|
|
||||||
|
.list-view :deep(input) {
|
||||||
|
background-color: hsl(var(--background));
|
||||||
|
}
|
||||||
</style>
|
</style>
|
||||||
|
|||||||
@@ -63,15 +63,63 @@ export const useApi = () => {
|
|||||||
}
|
}
|
||||||
|
|
||||||
if (!response.ok) {
|
if (!response.ok) {
|
||||||
throw new Error(`HTTP error! status: ${response.status}`)
|
// Try to get error details from response
|
||||||
|
const text = await response.text()
|
||||||
|
console.error('API Error Response:', {
|
||||||
|
status: response.status,
|
||||||
|
statusText: response.statusText,
|
||||||
|
body: text
|
||||||
|
})
|
||||||
|
|
||||||
|
let errorMessage = `HTTP error! status: ${response.status}`
|
||||||
|
if (text) {
|
||||||
|
try {
|
||||||
|
const errorData = JSON.parse(text)
|
||||||
|
errorMessage = errorData.message || errorData.error || errorMessage
|
||||||
|
} catch (e) {
|
||||||
|
// If not JSON, use the text directly if it's not too long
|
||||||
|
if (text.length < 200) {
|
||||||
|
errorMessage = text
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
throw new Error(errorMessage)
|
||||||
}
|
}
|
||||||
|
|
||||||
return response.json()
|
// Handle empty responses
|
||||||
|
const text = await response.text()
|
||||||
|
if (!text) {
|
||||||
|
return {}
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
return JSON.parse(text)
|
||||||
|
} catch (e) {
|
||||||
|
console.error('Failed to parse JSON response:', text)
|
||||||
|
throw new Error('Invalid JSON response from server')
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const api = {
|
const api = {
|
||||||
async get(path: string) {
|
async get(path: string, options?: { params?: Record<string, any> }) {
|
||||||
const response = await fetch(`${getApiBaseUrl()}/api${path}`, {
|
let url = `${getApiBaseUrl()}/api${path}`
|
||||||
|
|
||||||
|
// Add query parameters if provided
|
||||||
|
if (options?.params) {
|
||||||
|
const searchParams = new URLSearchParams()
|
||||||
|
Object.entries(options.params).forEach(([key, value]) => {
|
||||||
|
if (value !== undefined && value !== null) {
|
||||||
|
searchParams.append(key, String(value))
|
||||||
|
}
|
||||||
|
})
|
||||||
|
const queryString = searchParams.toString()
|
||||||
|
if (queryString) {
|
||||||
|
url += `?${queryString}`
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const response = await fetch(url, {
|
||||||
headers: getHeaders(),
|
headers: getHeaders(),
|
||||||
})
|
})
|
||||||
return handleResponse(response)
|
return handleResponse(response)
|
||||||
|
|||||||
@@ -10,6 +10,12 @@ export const useFields = () => {
|
|||||||
* Convert backend field definition to frontend FieldConfig
|
* Convert backend field definition to frontend FieldConfig
|
||||||
*/
|
*/
|
||||||
const mapFieldDefinitionToConfig = (fieldDef: any): FieldConfig => {
|
const mapFieldDefinitionToConfig = (fieldDef: any): FieldConfig => {
|
||||||
|
// Convert isSystem to boolean (handle 0/1 from database)
|
||||||
|
const isSystemField = Boolean(fieldDef.isSystem)
|
||||||
|
|
||||||
|
// Only truly system fields (id, createdAt, updatedAt, etc.) should be hidden on edit
|
||||||
|
const isAutoGeneratedField = ['id', 'createdAt', 'updatedAt', 'createdBy', 'updatedBy'].includes(fieldDef.apiName)
|
||||||
|
|
||||||
return {
|
return {
|
||||||
id: fieldDef.id,
|
id: fieldDef.id,
|
||||||
apiName: fieldDef.apiName,
|
apiName: fieldDef.apiName,
|
||||||
@@ -23,13 +29,13 @@ export const useFields = () => {
|
|||||||
|
|
||||||
// Validation
|
// Validation
|
||||||
isRequired: fieldDef.isRequired,
|
isRequired: fieldDef.isRequired,
|
||||||
isReadOnly: fieldDef.isSystem || fieldDef.uiMetadata?.isReadOnly,
|
isReadOnly: isAutoGeneratedField || fieldDef.uiMetadata?.isReadOnly,
|
||||||
validationRules: fieldDef.uiMetadata?.validationRules || [],
|
validationRules: fieldDef.uiMetadata?.validationRules || [],
|
||||||
|
|
||||||
// View options
|
// View options - only hide auto-generated fields by default
|
||||||
showOnList: fieldDef.uiMetadata?.showOnList ?? true,
|
showOnList: fieldDef.uiMetadata?.showOnList ?? true,
|
||||||
showOnDetail: fieldDef.uiMetadata?.showOnDetail ?? true,
|
showOnDetail: fieldDef.uiMetadata?.showOnDetail ?? true,
|
||||||
showOnEdit: fieldDef.uiMetadata?.showOnEdit ?? !fieldDef.isSystem,
|
showOnEdit: fieldDef.uiMetadata?.showOnEdit ?? !isAutoGeneratedField,
|
||||||
sortable: fieldDef.uiMetadata?.sortable ?? true,
|
sortable: fieldDef.uiMetadata?.sortable ?? true,
|
||||||
|
|
||||||
// Field type specific
|
// Field type specific
|
||||||
@@ -176,14 +182,15 @@ export const useViewState = <T extends { id?: string }>(
|
|||||||
const saving = ref(false)
|
const saving = ref(false)
|
||||||
const error = ref<string | null>(null)
|
const error = ref<string | null>(null)
|
||||||
|
|
||||||
const api = useApi()
|
const { api } = useApi()
|
||||||
|
|
||||||
const fetchRecords = async (params?: Record<string, any>) => {
|
const fetchRecords = async (params?: Record<string, any>) => {
|
||||||
loading.value = true
|
loading.value = true
|
||||||
error.value = null
|
error.value = null
|
||||||
try {
|
try {
|
||||||
const response = await api.get(apiEndpoint, { params })
|
const response = await api.get(apiEndpoint, { params })
|
||||||
records.value = response.data
|
// Handle response - data might be directly in response or in response.data
|
||||||
|
records.value = response.data || response || []
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message
|
error.value = e.message
|
||||||
console.error('Failed to fetch records:', e)
|
console.error('Failed to fetch records:', e)
|
||||||
@@ -197,7 +204,8 @@ export const useViewState = <T extends { id?: string }>(
|
|||||||
error.value = null
|
error.value = null
|
||||||
try {
|
try {
|
||||||
const response = await api.get(`${apiEndpoint}/${id}`)
|
const response = await api.get(`${apiEndpoint}/${id}`)
|
||||||
currentRecord.value = response.data
|
// Handle response - data might be directly in response or in response.data
|
||||||
|
currentRecord.value = response.data || response
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message
|
error.value = e.message
|
||||||
console.error('Failed to fetch record:', e)
|
console.error('Failed to fetch record:', e)
|
||||||
@@ -211,9 +219,12 @@ export const useViewState = <T extends { id?: string }>(
|
|||||||
error.value = null
|
error.value = null
|
||||||
try {
|
try {
|
||||||
const response = await api.post(apiEndpoint, data)
|
const response = await api.post(apiEndpoint, data)
|
||||||
records.value.push(response.data)
|
|
||||||
currentRecord.value = response.data
|
// Handle response - it might be the data directly or wrapped in { data: ... }
|
||||||
return response.data
|
const recordData = response.data || response
|
||||||
|
records.value.push(recordData)
|
||||||
|
currentRecord.value = recordData
|
||||||
|
return recordData
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message
|
error.value = e.message
|
||||||
console.error('Failed to create record:', e)
|
console.error('Failed to create record:', e)
|
||||||
@@ -227,13 +238,18 @@ export const useViewState = <T extends { id?: string }>(
|
|||||||
saving.value = true
|
saving.value = true
|
||||||
error.value = null
|
error.value = null
|
||||||
try {
|
try {
|
||||||
const response = await api.put(`${apiEndpoint}/${id}`, data)
|
// Remove auto-generated fields that shouldn't be updated
|
||||||
|
const { id: _id, createdAt, created_at, updatedAt, updated_at, createdBy, updatedBy, ...updateData } = data as any
|
||||||
|
|
||||||
|
const response = await api.put(`${apiEndpoint}/${id}`, updateData)
|
||||||
|
// Handle response - data might be directly in response or in response.data
|
||||||
|
const recordData = response.data || response
|
||||||
const idx = records.value.findIndex(r => r.id === id)
|
const idx = records.value.findIndex(r => r.id === id)
|
||||||
if (idx !== -1) {
|
if (idx !== -1) {
|
||||||
records.value[idx] = response.data
|
records.value[idx] = recordData
|
||||||
}
|
}
|
||||||
currentRecord.value = response.data
|
currentRecord.value = recordData
|
||||||
return response.data
|
return recordData
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message
|
error.value = e.message
|
||||||
console.error('Failed to update record:', e)
|
console.error('Failed to update record:', e)
|
||||||
|
|||||||
16
frontend/pages/app/index.vue
Normal file
16
frontend/pages/app/index.vue
Normal file
@@ -0,0 +1,16 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
// Redirect to a default page or show dashboard
|
||||||
|
const router = useRouter()
|
||||||
|
|
||||||
|
// You can redirect to a dashboard or objects list
|
||||||
|
// For now, just show a simple message
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<NuxtLayout name="default">
|
||||||
|
<div class="container mx-auto p-8">
|
||||||
|
<h1 class="text-3xl font-bold mb-4">Welcome to Neo Platform</h1>
|
||||||
|
<p class="text-muted-foreground">Select an object from the sidebar to get started.</p>
|
||||||
|
</div>
|
||||||
|
</NuxtLayout>
|
||||||
|
</template>
|
||||||
@@ -1,5 +1,5 @@
|
|||||||
<script setup lang="ts">
|
<script setup lang="ts">
|
||||||
import { ref, computed, onMounted } from 'vue'
|
import { ref, computed, onMounted, watch } from 'vue'
|
||||||
import { useRoute, useRouter } from 'vue-router'
|
import { useRoute, useRouter } from 'vue-router'
|
||||||
import { useApi } from '@/composables/useApi'
|
import { useApi } from '@/composables/useApi'
|
||||||
import { useFields, useViewState } from '@/composables/useFieldViews'
|
import { useFields, useViewState } from '@/composables/useFieldViews'
|
||||||
@@ -9,13 +9,19 @@ import EditView from '@/components/views/EditView.vue'
|
|||||||
|
|
||||||
const route = useRoute()
|
const route = useRoute()
|
||||||
const router = useRouter()
|
const router = useRouter()
|
||||||
const api = useApi()
|
const { api } = useApi()
|
||||||
const { buildListViewConfig, buildDetailViewConfig, buildEditViewConfig } = useFields()
|
const { buildListViewConfig, buildDetailViewConfig, buildEditViewConfig } = useFields()
|
||||||
|
|
||||||
// Get object API name from route
|
// Get object API name from route
|
||||||
const objectApiName = computed(() => route.params.objectName as string)
|
const objectApiName = computed(() => route.params.objectName as string)
|
||||||
const recordId = computed(() => route.params.recordId as string)
|
const recordId = computed(() => route.params.recordId as string)
|
||||||
const view = computed(() => route.params.view as 'list' | 'detail' | 'edit' || 'list')
|
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
|
// State
|
||||||
const objectDefinition = ref<any>(null)
|
const objectDefinition = ref<any>(null)
|
||||||
@@ -33,7 +39,7 @@ const {
|
|||||||
deleteRecord,
|
deleteRecord,
|
||||||
deleteRecords,
|
deleteRecords,
|
||||||
handleSave,
|
handleSave,
|
||||||
} = useViewState(`/api/runtime/objects/${objectApiName.value}`)
|
} = useViewState(`/runtime/objects/${objectApiName.value}/records`)
|
||||||
|
|
||||||
// View configs
|
// View configs
|
||||||
const listConfig = computed(() => {
|
const listConfig = computed(() => {
|
||||||
@@ -60,8 +66,8 @@ const fetchObjectDefinition = async () => {
|
|||||||
try {
|
try {
|
||||||
loading.value = true
|
loading.value = true
|
||||||
error.value = null
|
error.value = null
|
||||||
const response = await api.get(`/api/runtime/objects/${objectApiName.value}/definition`)
|
const response = await api.get(`/setup/objects/${objectApiName.value}`)
|
||||||
objectDefinition.value = response.data
|
objectDefinition.value = response
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message || 'Failed to load object definition'
|
error.value = e.message || 'Failed to load object definition'
|
||||||
console.error('Error fetching object definition:', e)
|
console.error('Error fetching object definition:', e)
|
||||||
@@ -72,7 +78,7 @@ const fetchObjectDefinition = async () => {
|
|||||||
|
|
||||||
// Navigation handlers
|
// Navigation handlers
|
||||||
const handleRowClick = (row: any) => {
|
const handleRowClick = (row: any) => {
|
||||||
router.push(`/app/objects/${objectApiName.value}/${row.id}`)
|
router.push(`/app/objects/${objectApiName.value}/${row.id}/detail`)
|
||||||
}
|
}
|
||||||
|
|
||||||
const handleCreate = () => {
|
const handleCreate = () => {
|
||||||
@@ -85,7 +91,8 @@ const handleEdit = (row?: any) => {
|
|||||||
}
|
}
|
||||||
|
|
||||||
const handleBack = () => {
|
const handleBack = () => {
|
||||||
router.push(`/app/objects/${objectApiName.value}`)
|
// Navigate to list view explicitly
|
||||||
|
router.push(`/app/objects/${objectApiName.value}/`)
|
||||||
}
|
}
|
||||||
|
|
||||||
const handleDelete = async (rows: any[]) => {
|
const handleDelete = async (rows: any[]) => {
|
||||||
@@ -94,7 +101,7 @@ const handleDelete = async (rows: any[]) => {
|
|||||||
const ids = rows.map(r => r.id)
|
const ids = rows.map(r => r.id)
|
||||||
await deleteRecords(ids)
|
await deleteRecords(ids)
|
||||||
if (view.value !== 'list') {
|
if (view.value !== 'list') {
|
||||||
await router.push(`/app/objects/${objectApiName.value}`)
|
await router.push(`/app/objects/${objectApiName.value}/`)
|
||||||
}
|
}
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message || 'Failed to delete records'
|
error.value = e.message || 'Failed to delete records'
|
||||||
@@ -105,20 +112,38 @@ const handleDelete = async (rows: any[]) => {
|
|||||||
const handleSaveRecord = async (data: any) => {
|
const handleSaveRecord = async (data: any) => {
|
||||||
try {
|
try {
|
||||||
await handleSave(data)
|
await handleSave(data)
|
||||||
router.push(`/app/objects/${objectApiName.value}/${currentRecord.value?.id || data.id}`)
|
router.push(`/app/objects/${objectApiName.value}/${currentRecord.value?.id || data.id}/detail`)
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
error.value = e.message || 'Failed to save record'
|
error.value = e.message || 'Failed to save record'
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const handleCancel = () => {
|
const handleCancel = () => {
|
||||||
if (recordId.value) {
|
if (recordId.value && recordId.value !== 'new') {
|
||||||
router.push(`/app/objects/${objectApiName.value}/${recordId.value}`)
|
router.push(`/app/objects/${objectApiName.value}/${recordId.value}/detail`)
|
||||||
} else {
|
} else {
|
||||||
router.push(`/app/objects/${objectApiName.value}`)
|
router.push(`/app/objects/${objectApiName.value}/`)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 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
|
// Initialize
|
||||||
onMounted(async () => {
|
onMounted(async () => {
|
||||||
await fetchObjectDefinition()
|
await fetchObjectDefinition()
|
||||||
@@ -132,61 +157,71 @@ onMounted(async () => {
|
|||||||
</script>
|
</script>
|
||||||
|
|
||||||
<template>
|
<template>
|
||||||
<div class="object-view-container">
|
<NuxtLayout name="default">
|
||||||
<!-- Loading State -->
|
<div class="object-view-container">
|
||||||
<div v-if="loading" class="flex items-center justify-center min-h-screen">
|
<!-- Page Header -->
|
||||||
<div class="text-center space-y-4">
|
<div v-if="!loading && !error" class="mb-6">
|
||||||
<div class="animate-spin rounded-full h-12 w-12 border-b-2 border-primary mx-auto"></div>
|
<h1 class="text-3xl font-bold">{{ objectDefinition?.label || objectApiName }}</h1>
|
||||||
<p class="text-muted-foreground">Loading {{ objectApiName }}...</p>
|
<p v-if="objectDefinition?.description" class="text-muted-foreground mt-2">
|
||||||
|
{{ objectDefinition.description }}
|
||||||
|
</p>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
|
||||||
|
|
||||||
<!-- Error State -->
|
<!-- Loading State -->
|
||||||
<div v-else-if="error" class="flex items-center justify-center min-h-screen">
|
<div v-if="loading" class="flex items-center justify-center min-h-screen">
|
||||||
<div class="text-center space-y-4 max-w-md">
|
<div class="text-center space-y-4">
|
||||||
<div class="text-destructive text-5xl">⚠️</div>
|
<div class="animate-spin rounded-full h-12 w-12 border-b-2 border-primary mx-auto"></div>
|
||||||
<h2 class="text-2xl font-bold">Error</h2>
|
<p class="text-muted-foreground">Loading {{ objectApiName }}...</p>
|
||||||
<p class="text-muted-foreground">{{ error }}</p>
|
</div>
|
||||||
<Button @click="router.back()">Go Back</Button>
|
|
||||||
</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>
|
</div>
|
||||||
|
</NuxtLayout>
|
||||||
<!-- 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>
|
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
<style scoped>
|
<style scoped>
|
||||||
|
|||||||
43
frontend/pages/app/objects/index.vue
Normal file
43
frontend/pages/app/objects/index.vue
Normal file
@@ -0,0 +1,43 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
// List all available objects
|
||||||
|
const { api } = useApi()
|
||||||
|
const router = useRouter()
|
||||||
|
|
||||||
|
const objects = ref<any[]>([])
|
||||||
|
const loading = ref(true)
|
||||||
|
|
||||||
|
onMounted(async () => {
|
||||||
|
try {
|
||||||
|
const response = await api.get('/setup/objects')
|
||||||
|
objects.value = response.data || response || []
|
||||||
|
} catch (e) {
|
||||||
|
console.error('Failed to load objects:', e)
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<NuxtLayout name="default">
|
||||||
|
<div class="container mx-auto p-8">
|
||||||
|
<h1 class="text-3xl font-bold mb-6">Objects</h1>
|
||||||
|
|
||||||
|
<div v-if="loading" class="text-center py-12">
|
||||||
|
<div class="animate-spin rounded-full h-12 w-12 border-b-2 border-primary mx-auto"></div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-else class="grid gap-4 md:grid-cols-2 lg:grid-cols-3">
|
||||||
|
<NuxtLink
|
||||||
|
v-for="obj in objects"
|
||||||
|
:key="obj.id"
|
||||||
|
:to="`/app/objects/${obj.apiName}/`"
|
||||||
|
class="block p-6 border rounded-lg hover:bg-accent transition-colors"
|
||||||
|
>
|
||||||
|
<h3 class="text-xl font-semibold mb-2">{{ obj.label }}</h3>
|
||||||
|
<p v-if="obj.description" class="text-sm text-muted-foreground">{{ obj.description }}</p>
|
||||||
|
</NuxtLink>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</NuxtLayout>
|
||||||
|
</template>
|
||||||
Reference in New Issue
Block a user