2

我现在正在使用 React 路由器 v4,我想在一个单独的对象中有一个路由配置,所以我按照文档进行了类似的操作(参见下面的代码)

我想实现这个流程:当用户移动到客户模块时,例如“/customer”,应该呈现一个概览组件,之后,我移动路线“/customer/cards” ,只有卡片组件应该在那里(Overview 组件应该消失)。但我不知道我该怎么做。

我只找到了一种方法来实现它(只需为 Overview 和 Cards 添加单独的路由。例如 /customer/overview/customer/cards

但我不想有这个解决方案,因为我想在用户来到“/customer”时准确地呈现概览。

有人可以帮我一些建议吗?我会很合适的。

这是最小工作方案的演示:问题的最小工作演示

const routes: any = [
    {
        path : "/",
        component : AsHm,
        exact : true
    },
    {
        path : "/about",
        component : AsAb,
        exact : true
    },

    {
        path : "/customer",
        component : AsCus,
        routes : [
            {
                path : "",
                component : AsOver,
                exact: true
            },
            {
                path : "/customer/cards",
                component : AsCards,
                exact: true
            }
        ]
    }
];
4

1 回答 1

2

没有路径的 Route 将始终匹配,无论您是否为其指定了确切的属性,因此

{
     path : "",
     component : AsOver,
     exact: true
},

总是匹配,即使 Route 是/customer/cards

你可以做些什么来避免它,是使用 Switch 并在/customer/cards. Switch将渲染第一个匹配的路由,因此如果带有渲染的路由将path=""不会被渲染customer/cards

所以你的路线看起来像

const routes: any = [
    {
        path : "/",
        component : Home,
        exact : true
    },
    {
        path : "/about",
        component : About,
        exact : true
    },
    {
        path : "/customer",
        component : Customer,
        routes : [
            {
                path : "/customer/cards",
                component : Cards,
                exact: true
            },
            {
                path : "",
                component : Overview,
                exact: true
            },
        ]
    }
];

你的客户组件看起来像

const Customer = ({ routes, location })=>(
  <div>
        <h2>Customer Index</h2>
    <Switch>{routes.map((route, i) => <RouteGeneric key={i} {...route} />)}</Switch>
    </div>
)

工作密码笔

于 2018-02-28T12:22:45.330 回答