我正在尝试迭代一个Immutable.js地图,以渲染一个组件,但是虽然这是渲染,但它也渲染了该页面的键。我不知道为什么。
render() {
const myMap = new Map({foo: '', bar: 'http://google.com/'})
const {showFoo, titleAndUrl} = this.props
return (
<ul style={[
styles.container,
showFoo && styles.container.inline,
]}>
{myMap.map((title, url) => this.renderTab(url, title))}
</ul>
)
}
renderTab(title, url) {
const {showFoo, isFoo} = this.props
return (
<li key="sb" style={[
styles.listItem,
showFoo && styles.listItem.inline,
]}>
<a
href={url}
key={title}
style={[
styles.link,
styles.activeLink,
showFoo && styles.link.inline,
]}
className={isFoo ? "style" : ''}>
{title}
</a>
</li>
)
}
}
两个名称和网址都是正确呈现的,但是重复的关键字被渲染,即foo呈现两次,因此是bar,但是其中一个foo和bar键没有样式,这表明它被渲染到外面this.renderTab
见图片: have confirmed
呈现HTML:
<ul data-radium="true"
style="display: flex; align-items: center; padding: 0px; margin: 0px; list-style: none; width: 100%; border-top: 1px solid rgb(221, 221, 221); height: 48px;">
foo
<li data-radium="true" style="display: flex; width: 50%; height: 47px; cursor: default;"><a href=""
class=""
data-radium="true"
style="display: flex; justify-content: center; align-items: center; width: 100%; text-decoration: none; font-weight: 500; font-size: 16px; color: rgb(0, 31, 91); transition: color 0.1s linear;">foo</a>
</li>
bar
<li data-radium="true" style="display: flex; width: 50%; height: 47px; cursor: default;"><a
href="http://google.com" class="" data-radium="true"
style="display: flex; justify-content: center; align-items: center; width: 100%; text-decoration: none; font-weight: 500; font-size: 16px; color: rgb(0, 31, 91); transition: color 0.1s linear;">bar</a>
</li>
</ul>
答案 0 :(得分:2)
您混淆了论点的顺序,将title
分配给url
,反之亦然。
另外,传递给Immutable.Map.map的回调函数的参数是(1)value,(2)key,所以第一个参数是你的URL,第二个是你的标题。
通过调用map
来更改行,如下所示:
{myMap.map((url, title) => this.renderTab(title, url))}
另一个问题是,您呈现的列表项元素都具有相同的键“sb”,只有“a”元素的键更改,但这甚至不需要。
将renderTab
返回的JSX更改为:
<li key={title} style={[
styles.listItem,
showFoo && styles.listItem.inline,
]}>
<a
href={url}
style={[
styles.link,
styles.activeLink,
showFoo && styles.link.inline,
]}
className={isFoo ? "style" : ''}>
{title}
</a>
</li>
最后,主要的错误是你期望Immutable.Map.map
返回一个数组,但它没有,它返回另一个不可变的映射,所以你必须将map函数返回的值转换为数组使用valueSeq和toArray。
所以你的map语句实际上应该是这样的:
{myMap.map((url, title) => this.renderTab(title, url)).valueSeq().toArray()}