在 React 中,您可以有条件地渲染组件。
做这件事有很多种方法。
if
声明我们可以使用if
JavaScript 运算符决定渲染哪个组件。
我们将使用这两个组件:
function MissedGoal() {
return <h1>MISSED!</h1>;
}
function MadeGoal() {
return <h1>Goal!</h1>;
}
现在,我们将创建另一个组件,它根据条件选择要渲染的组件:
function Goal(props) {
const isGoal = props.isGoal;
if (isGoal) {
return <MadeGoal/>;
}
return <MissedGoal/>;
}
const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<Goal isGoal={false} />);
尝试改变isGoal
归因于true
:
const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<Goal isGoal={true} />);
&&
运算符有条件地渲染 React 组件的另一种方法是使用&&
运算符。
我们可以使用花括号在 JSX 中嵌入 JavaScript 表达式:
function Garage(props) {
const cars = props.cars;
return (
<>
<h1>Garage</h1>
{cars.length > 0 &&
<h2>
You have {cars.length} cars in your garage.
</h2>
}
</>
);
}
const cars = ['Ford', 'BMW', 'Audi'];
const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<Garage cars={cars} />);
如果cars.length > 0
等于 true,之后的表达式&&
将渲染。
尝试清空cars
数组:
const cars = [];
const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<Garage cars={cars} />);
有条件地渲染元素的另一种方法是使用三元运算符。
condition ? true : false
我们将回到目标示例。
返回MadeGoal
组件如果isGoal
是true
,否则返回MissedGoal
成分:
function Goal(props) {
const isGoal = props.isGoal;
return (
<>
{ isGoal ? <MadeGoal/> : <MissedGoal/> }
</>
);
}
const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<Goal isGoal={false} />);
要了解更多信息,请参阅三元运算符部分。
截取页面反馈部分,让我们更快修复内容!也可以直接跳过填写反馈内容!