我在 Vue.js 2 中遇到默认子路由问题。
当我最初访问 localhost/listings 时,它会正确加载 index.vue 和 map.vue 作为子项。
当我使用 router-link 导航到 localhost/listings/1,然后使用 router-link 返回 localhost/listings 时,它仍然会加载 show.vue 模板。 这不应该发生吗?
我没有导航防护装置或任何会干扰的东西。有什么办法可以纠正这个问题吗?
我的路线:
window.router = new VueRouter({
routes: [
...
{
path: '/listings',
name: 'listing.index',
component: require('./components/listing/index.vue'),
children: [
{
path: '',
component: require('./components/listing/map.vue')
},
{
path: ':id',
name: 'listing.show',
component: require('./components/listing/show.vue')
}
]
},
...
]
});
如果您想要默认子路由,则不应命名“父”路由器,因此请使用默认子路由的名称(例如
:to="{name: 'listing.index'}"
),而不是使用 :to="{name: 'listing.map'}"
。
代码应该如下所示:
window.router = new VueRouter({
routes: [
...
{
path: '/listings',
component: require('./components/listing/index.vue'),
children: [
{
path: '',
name: 'listing.map'
component: require('./components/listing/map.vue')
},
{
path: ':id',
name: 'listing.show',
component: require('./components/listing/show.vue')
}
]
},
...
]
});
也许尝试重新排列子级,路由按照从上到下匹配的顺序触发,所以这应该可以解决这个问题:
window.router = new VueRouter({
routes: [
...
{
path: '/listings',
name: 'listing.index',
component: require('./components/listing/index.vue'),
children: [
{
path: ':id',
name: 'listing.show',
component: require('./components/listing/show.vue')
}
{
path: '',
component: require('./components/listing/map.vue')
},
]
},
...
]
});
为了澄清一点,您的
path: ''
本质上充当“包罗万象”的作用,这可能就是为什么当它位于顶部时会立即找到它,因此路由器永远不会进一步向下传播到 :id
路线。
在 Vue 2.6.11 中,如果命中父路由,您可以自动重定向到子路由:
const routes = [
{
name: 'parent',
path: '/',
component: Parent,
children: [
{
name: 'parent.child',
path: 'child',
component: Child,
}
],
/**
* @type {{name: string} | string} Target component to redirect to
*/
redirect: {
name: 'parent.child'
}
}
];
当您使用
named routes
并且想要加载包含子组件的组件时,您必须使用子组件的名称路由。 parent
的名称路径,则子路径将不会自动加载,即使子路径什么也没有。 routes: [
{
path: '/user',
name: 'User',
component: User,
children: [
{path: '', name: 'UserList', component: UserList}, // <== child path is = '';
]
}
]
如果您考虑一下代码,您可能会假设如果您使用名称“User”进行路由,您也可能会在其中获得 UserList,因为父级和子级的路径都是相同的。但事实并非如此,您必须选择“UserList”作为名称。 为什么会发生这种情况? 因为 Vuejs 加载的是您所引用的确切组件,而不是 url。 你可以实际测试一下,而不是在链接中使用命名路由,你可以只引用url,这时候vuejs将加载父级和子级,没有问题,但是当你使用命名路由时,它不会查看url 并加载您引用的组件。