`next/dynamic` 已弃用一次加载多个模块
此错误发生的原因
在 next/dynamic
中,一次加载多个模块的功能已被弃用,以更接近 React 的实现(React.lazy
和 Suspense
)。
更新依赖此行为的代码相对简单!我们提供了一个前后对比示例,以帮助您迁移应用程序。
可能的解决方法
迁移到为每个模块使用单独的动态调用。
之前
example.js
import dynamic from 'next/dynamic'
const HelloBundle = dynamic({
modules: () => {
const components = {
Hello1: () => import('../components/hello1').then((m) => m.default),
Hello2: () => import('../components/hello2').then((m) => m.default),
}
return components
},
render: (props, { Hello1, Hello2 }) => (
<div>
<h1>{props.title}</h1>
<Hello1 />
<Hello2 />
</div>
),
})
function DynamicBundle() {
return <HelloBundle title="Dynamic Bundle" />
}
export default DynamicBundle
之后
example.js
import dynamic from 'next/dynamic'
const Hello1 = dynamic(() => import('../components/hello1'))
const Hello2 = dynamic(() => import('../components/hello2'))
function HelloBundle({ title }) {
return (
<div>
<h1>{title}</h1>
<Hello1 />
<Hello2 />
</div>
)
}
function DynamicBundle() {
return <HelloBundle title="Dynamic Bundle" />
}
export default DynamicBundle
这有帮助吗?