I'm have the following code and so far so good:
import { Route } from '@vaadin/router';
import './views/object/list-view';
import './main-layout.ts';
export type ViewRoute = Route & {
title?: string;
children?: ViewRoute[];
};
export const views: ViewRoute[] = [
{
path: 'object',
component: 'list-view',
title: 'Objects',
},
{
path: 'dashboard',
component: 'dashboard-view',
title: 'Dashboard',
action: async () => {
await import('./views/dashboard/dashboard-view');
},
},
];
export const routes: ViewRoute[] = [
{
path: '',
component: 'main-layout',
children: views,
},
];
But when add the additional import './views/object2/list-view';
as below, it doesn't work:
import { Route } from '@vaadin/router';
import './views/object/list-view';
import './views/object2/list-view';
import './main-layout.ts';
export type ViewRoute = Route & {
title?: string;
children?: ViewRoute[];
};
export const views: ViewRoute[] = [
{
path: 'object',
component: 'list-view',
title: 'Object',
},
{
path: 'object2',
component: 'list-view',
title: 'Object2',
},
{
path: 'dashboard',
component: 'dashboard-view',
title: 'Dashboard',
action: async () => {
await import('./views/dashboard/dashboard-view');
},
},
];
export const routes: ViewRoute[] = [
{
path: '',
component: 'main-layout',
children: views,
},
];
I assume it doesn't work because the name of the component imported. Is there a way to clarify the difference in this file without changing the names of the components?
I tried this:
component: './views/object2/list-view'
but it still doesn't work.
You haven't explained what exactly "doesn't work" so you are forcing me to guess. There is nothing illegal or conflicting about importing from two files with the same filename. What matters are the names of the exported items in each file that you want to import.
three of your import statements do not actually import any exports
Of your four import statements, only the first one imports an exported item,
Route
. The other three are "side-effect imports" only.if your intention was to import everything from each file
This imports the entire module into a single variable. You can then reference all the individual exports through that variable, e.g.
list-view.model
andlist-view.item
. As with any variable, make sure they have unique names.to import individual exports that have the same name
This imports only the
list-object
export from eachlist-view
file, and it renames the second one tolist-object2
to give it a unique name within this file.to import the default export with unique names:
Say both your
list-view
imports have a default export and that is all you want to import. This is how you import the default export:You can assign any name to the default export (they are not exported with any name). Just make them unique.