2021. 7. 22. 00:19ㆍ개발/React.js
조건부 렌더링이 뭘까 싶었더니 조건에 따라 어떤 Component를 rendering 하느냐의 의미였던것같다.
React 자습서의 예시 코드를 보면 쉽게 이해할 수 있었다.
function UserGreeting(props) {
return <h1>Welcome back!</h1>;
}
function GuestGreeting(props) {
return <h1>Please sign up.</h1>;
}
function Greeting(props) {
const isLoggedIn = props.isLoggedIn;
if (isLoggedIn) {
return <UserGreeting />; ///////////////////// 여기
}
return <GuestGreeting />; ///////////////////// 여기!
}
ReactDOM.render(
// Try changing to isLoggedIn={true}:
<Greeting isLoggedIn={false} />,
document.getElementById('root')
);
위 예시를 보면, LoggedIn 여부에 따라 다른 Component를 return하고 있는것을 볼 수 있다.
아래 예시를 보면 더 와닿게 이해할 수 있었다.
function LoginButton(props) {
return (
<button onClick={props.onClick}>
Login
</button>
);
}
function LogoutButton(props) {
return (
<button onClick={props.onClick}>
Logout
</button>
);
}
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.isLoggedIn;
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')
);
state가 바뀌면 render함수가 호출되는데, 이때 isLoggedIn 값에 따라 적절한 Component를 띄워줄것이다.
논리연산자를 써서 if 대신 인라인으로 표현할 수 있다. React 자습서에서는 논리 && 연산자로 If를 인라인으로 표현하기라고 표기되어 있지만, 다른 논리연산자를 써서 표현할 수 있다. 상황에 맞게 논리연산자를 적절히 사용하면 if 문 늪에 빠지는것을 방지할 수 있을거같다.
function Mailbox(props) {
const unreadMessages = props.unreadMessages;
return (
<div>
<h1>Hello!</h1>
{unreadMessages.length > 0 &&
<h2>
You have {unreadMessages.length} unread messages.
</h2>
}
</div>
);
}
const messages = ['React', 'Re: React', 'Re:Re: React'];
ReactDOM.render(
<Mailbox unreadMessages={messages} />,
document.getElementById('root')
);
다만, false로 평가될 수 있는 표현식을 반환한다면 그대로 출력될 수 있다.
아래와 같이 쓴다면, <div>0</div> 가 반환될 것이다.
function Mailbox(props) {
const count = 0;
return (
<div>
{ count && <h1>Messages: {count}</h1>}
</div>
);
}
const messages = [];
ReactDOM.render(
<Mailbox unreadMessages={messages} />,
document.getElementById('root')
);
만약, count가 0이 아닐때만 출력을 원한다면 아래와 같이 조건문을 추가해주면 해결할 수 있다. 이부분은 유의해서 조건부 렌더링을 처리해주는 것이 좋을거같다.
function Mailbox(props) {
const count = 0;
return (
<div>
{ count > 0 && <h1>Messages: {count}</h1>}
</div>
);
}
const messages = [];
ReactDOM.render(
<Mailbox unreadMessages={messages} />,
document.getElementById('root')
);
JSX에서 삼항연산자를 써서 표현할 수도 있다.
(condition ? true : false)
render() {
const isLoggedIn = this.state.isLoggedIn;
return (
<div>
The user is <b>{isLoggedIn ? 'currently' : 'not'}</b> logged in.
</div>
);
}
component자체를 사라지게하고, 나타내게 하고 싶다면 렌더링 결과대신 null을 반환하면 된다.
(예전에 React-native에서 Modal을 구현할때 npm module을 통해 간단하게 구현했었는데, 생각해보니 굳이 모듈을 써서 디펜던시를 만들지 않고, 직접 구현하는게 더 나을거 같다는 생각이 들었다.)
React Component Return null 예제
function WarningBanner(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')
);
'개발 > React.js' 카테고리의 다른 글
[React.js] 9. 폼 (0) | 2021.08.03 |
---|---|
[React.js] 8. List 와 Key (0) | 2021.08.02 |
[React.js] StopWatch 구현하기 (0) | 2021.07.21 |
[React.js] 6. Event (0) | 2021.07.20 |
[React.js] 5. State and Lifecycle (0) | 2021.07.20 |