React:如何将数据渲染到组件中?
2021-02-03
55
我想将数据从 props 传递到另一个组件,但在传递嵌套数组的数据时遇到了问题。我的 JSON 具有以下结构:
[
{
id: 1,
category: "Fish",
nodes: [
{
id: 1,
title: "Bacalhau com broa",
ingredients: [
"bacalhau",
"broa"
]
},
{
id: 2,
title: "Bacalhau à Zé do Pipo",
ingredients: [
"bacalhau",
"broa",
"5 cebolas"
]
},
],
}
];
我尝试了以下操作,其中
dishesData
包含 JSON 中的
nodes
:
{dishesData.map((dishes) => {
dishes.forEach((dish) => {
console.log(dish.title)
return <Dish title={dish.title} ingredients={dish.ingredients} />;
});
})}
console.log(dish.title)
打印正确,但未将我的组件呈现到页面。
2个回答
您的返回语句位于
forEach
内部,因此它不起作用,您需要将值返回给父
map
函数:
{dishesData.map((dishes) => {
return dishes.map((dish) => {
return <Dish title={dish.title} ingredients={dish.ingredients} />;
});
})}
vuongvu
2021-02-03
import React from 'react';
// Json data
const dishesData = [
{
id: 1,
category: "Fish",
nodes: [
{
id: 1,
title: "Bacalhau com broa",
ingredients: [
"bacalhau",
"broa"
]
},
{
id: 2,
title: "Bacalhau à Zé do Pipo",
ingredients: [
"bacalhau",
"broa",
"5 cebolas"
]
},
],
}
];
// First component - I have used a functional component
const ComponentOne = (props) => {
// output: Bacalhau com broa, Bacalhau à Zé do Pipo
const answer = dishesData.map(dishes => {
dishes.nodes.map(dish=> dish.title)
});
// a title prop is pased to ComponentTwo component
return (
<ComponentTwo title = {answer} />
);
}
// Another component that will receive our props passed to it
const ComponentTwo = (props) => {
console.log(props.title)
return (
<p> {props.title} </p>
)
}
export default ComponentOne;
Namwanza Ronald
2021-02-03