我正在使用React with Babel(es6)。我有一个问题要解决我的组件之间的循环依赖。
我正在构建一个菜单:
ItemFactory
只根据传递的道具返回任何其他组件。
ItemFolder
需要能够重用ItemFactory
来构建嵌套菜单项。
// I need ItemFolder
import ItemFolder from './itemFolder'
// import all different items too
...
function ItemFactory (props) {
switch (props.type) {
case 'link': return <ItemLink {...props} />
case 'blank': return <ItemBlank {...props} />
case 'folder': return <ItemFolder {...props} />
default: return <ItemGeneric {...props} />
}
}
modules.exports = ItemFactory
// I need the itemFactory
import ItemFactory from './itemFactory'
...
Items = props.items.map(item => {
return <ItemFactory {...item} />
})
module.exports = ItemFolder
正如你所看到的,两者都需要彼此。这会导致一些循环依赖问题,我得到一个空对象。
任何帮助表示赞赏:)
答案 0 :(得分:5)
在依赖关系圈中,导入的项目将解析为尚未初始化的导出绑定。如果您没有立即使用它们(例如调用函数),这不应该导致任何问题。
您的问题可能是使用CommonJs导出语法。以下应该有效:
// itemFactory.js
import ItemFolder from './itemFolder'
…
export default function ItemFactory(props) {
switch (props.type) {
case 'link': return <ItemLink {...props} />
case 'blank': return <ItemBlank {...props} />
case 'folder': return <ItemFolder {...props} />
default: return <ItemGeneric {...props} />
}
}
// itemFolder.js
import ItemFactory from './itemFactory'
…
export default function ItemFolder(props) {
let items = props.items.map(item => {
return <ItemFactory {...item} />
})
…
}
答案 1 :(得分:2)
一种方法是让各个组件将自己注入ItemFactory
。这样做的好处是可以使用新类型更容易扩展工厂:
const components = {};
export function registerComponent(name, Component) {
components[name] = Component;
};
export default function ItemFactory(props) {
const C = components[props.type];
return <C {...props} />;
}
// ItemFolder.js
import {registerComponent}, ItemFactory from 'itemFactory';
export default class ItemFolder {
...
};
registerComponent("folder", ItemFolder);