React模块配置型渲染
react
场景需求
- 页面中有 CompA、CompB、CompC 三个模块,可动态配置模块是否上线;
- 可配置每个模块的顺序;
- 模块仍可传入参数。
设计思路
- 将组件及其配置项放入组件数组中进行管理;
- 对组件数组按组件顺序进行排序;
- 利用 react state 更新状态渲染组件。
代码
import React from 'react';
import CmpA from './cmp_a';
import CmpB from './cmp_b';
import CmpC from './cmp_c';
class Father extends React.Component {
constructor(props) {
super(props);
this.state = {
moduleList: [],
};
}
componentDidMount() {
this.initModules();
}
// 初始化各模块
initModules = () => {
const {
AOnline,
AOrder,
BOnline,
BOrder,
COnline,
COrder,
} = this.props.moduleConf;
const defaultList = [
{
component: CmpA,
online: AOnline,
order: AOrder || 11,
},
{
component: CmpB,
online: BOnline,
order: BOrder || 12,
},
{
component: CmpC,
online: COnline,
order: COrder || 13,
},
];
// 模块排序,order越小越靠前
this.setState({
moduleList: defaultList.sort((a, b) => a.order - b.order)
});
}
// 模块渲染
handleRenderModules = (comp, index) => {
if (!comp.online) {
return null;
}
return this.handleRenderComp(comp.component, index);
}
// 组件渲染
handleRenderComp = (Comp, index, props = {}) => {
return <Comp key={index} {...props} />
}
render() {
const { moduleList } = this.state;
return (
<div>
{moduleList.length > 0 && moduleList.map(this.handleRenderModules)}
</div>
)
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66