원하는 동작을 캡슐화하는 component들을 만들고, 애플리케이션의 상태에 따라서 component 중 몇개만 렌더링할 수 있다.
React에서 조건부 렌더링은 JavaScript에서의 조건 처리와 동일하게 동작한다. if나 ? 연산자와 같은 JavaScript 연산자를, 현재 상태를 나타내는 element를 만드는데에 사용할 수 있다.
아래 두 component가 있다고 가정하자.
function UserGreeting(props) {
return <h1>Welcome back!</h1>;
}
function GuestGreeting(props) {
return <h1>Please sign up.</h1>;
}
이제 사용자의 로그인 상태에 맞게 위 component 중 하나를 보여주는 Greeting component를 만든다. 이 예시는 isLoggenIn props에 따라서 다른 인사말을 렌더링한다.
function Greeting(props) {
const isLoggenIn = props.isLoggenIn;
if (isLoggedIn) {
return <UserGreeting />;
}
return <GuestGreeting />;
}
ReactDOM.render(
<Greeting isLoggedIn={false} />,
document.getElementById('root')
);
element를 저장하기 위해 변수를 사용할 수 있다. 출력의 다른 부분은 변하지 않은 채로 component의 일부를 조건부로 렌더링할 수 있다.
로그인과 로그아웃 버튼을 나타내는 두 component가 있다고 가정하자.
function LoginButton(props) {
return (
<button onClick={props.onClick}>
Login
</button>
);
}
function LogoutButton(props) {
return (
<button onClick={props.onClick}>
Logout
</button>
);
}
아래의 예시에서는 LoginControl이라는 stateful component를 만든다. 이 component는 현재 state에 맞게 <LoginButton />이나 <LogoutButton />을 렌더링한다. 또한, 이전 예시에서의 <Greeting />도 함께 렌더링하다.
class LoginControl extends React.Component {
constructor(props) {
super(props);
this.handleLoginClick = this.handleLoginClick.bind(this);
this.handleLogoutClick = this.handleLogoutClick.bind(this);
this.state = {isLoggedIn: false};
}
handleLoginClick() {
this.setState({isLoggedIn: true});
}
handleLogoutClick() {
this.setState({isLoggedIn: false});
}
render() {
const isLoggedIn = this.state.isLoggenIn;
let button;
if (isLoggedIn) {
button = <LogoutButton onClick={this.handleLogoutClick} />;
} else {
button = <LoginButton onClick={this.handleLoginClick} />;
}
return (
<div>
<Greeting isLoggedIn={isLoggedIn} />
{button}
</div>
);
}
}
ReactDOM.render(
<LoginControl />,
document.getElementById('root')
);
element를 조건부로 렌더링하는 다른 방법은 조건부 연산자인 ?를 사용하는 것이다.
render() {
const isLoggedIn = this.state.isLoggedIn;
return (
<div>
The user is <b>{isLoggedIn ? 'currently' : 'not'}</b> logged in.
</div>
);
}
가끔 다른 component에 의해 렌더링될 때, component 자체를 숨기고 싶을때가 있다. 이때는 렌더링 결과를 출력하는 대신 null을 반환하면 해결할 수 있다.
아래 예시에서는 가 warn props의 값에 의해서 렌더링된다. props이 false라면 component는 렌더링하지 않게 된다.
function WaringBanner(props) {
if (!props.warn) {
return null;
}
return (
<div className="warning">
Warning!
</div>
);
}
class Page extends React.Component {
constructor(props) {
super(props);
this.state = {showWarning: true};
this.handleToggleClick = this.handleToggleClick.bind(this);
}
handleToggleClick() {
this.setState(state => ({
showWarning: !state.showWarning
}));
}
render() {
return (
<div>
<WarningBanner warn={this.state.showWarning} />
<button onClick={this.handleToggleClick}>
{this.state.showWarning ? 'Hide' : 'Show'}
</button>
</div>
);
}
}
ReactDOM.render(
<Page />,
document.getElementById('root')
);