조건부 렌더링 | ReactDocs

Bori·2023년 1월 30일
1
post-thumbnail

React에서는 원하는 동작을 캡슐화 하는 컴포넌트를 만들 수 있고, 애플리케이션의 상태에 따라서 컴포넌트 중 일부만 렌더링 할 수 있다.

  • React에서 조건부 렌더링은 JavaScript에서의 조건 처리와 같이 동작
  • if조건부 연산자와 같은 JavaScript 연산자로 현재 상태를 나타내는 엘리먼트를 만드는 데 사용하면 React는 현재 상태에 맞게 UI를 업데이트 한다.

UserGreeting 컴포넌트와 GuestGreeting 컴포넌트가 있다.

function UserGreeting(props) {
  return <h1>Welcome back!</h1>;
}

function GuestGreeting(props) {
  return <h1>Please sign up.</h1>;
}
  • 사용자의 로그인 상태에 맞게 위 컴포넌트 중 하나를 보여주는 Greeting 컴포넌트 생성
    • isLoggedIn prop에 따라 다른 인사말을 렌더링 한다.
function Greeting(props) {
  const isLoggedIn = props.inLoggedIn;
  
  if (isLoggedIn) {
    return <UserGreeting />;
  }
  
  return <GestGreeting />;
}

const root = ReactDom.createRoot(document.getElementById('root'));
// Try changing to is LoggedIn={true}:
root.render(<Greeting isLoggedIn={false} />);

엘리먼트 변수

  • 엘리먼트를 저장하기 위해 변수를 사용할 수 있다.
  • 출력의 다른 부분은 변하지 않은 채로 컴포넌트의 일부를 조건부로 렌더링 할 수 있다.

LoginButton 버튼과 LogoutButton 버튼 컴포넌트가 있다.

function LoginButton(props) {
  return (
    <button onClick={props.onClick}>Login</button>
  );
}

function LogoutButton(props) {
  return (
    <button onClick={props.onClick}>Logout</button>
  );
}
  • LoginControl이라는 유상태 컴포넌트 생성
    • 현재 상태에 맞게 <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.isLoggedIn;
    let button;
    
    if (inLoggedIn) {
      button = <LogoutButton onClick={this.handleLogoutClick} />;
    } else {
      button = <LoginButton onClick={this.handleLoginClick} />;
    }
  }
  
  return (
    <div>
      <Greeting inLoggedIn={isLoggedIn} />
      {button}
    </div>
  )
}

const root = ReactDom.createRoot(document.getElementById('root'));
root.render(<LoginControl />);

논리 && 연산자로 if를 인라인으로 표현하기

여러 조건을 JSX 안에서 인라인으로 처리해보기

JSX 안에는 중괄호를 이용해서 표현식을 포함할 수 있다. 그 안에서 Javascript의 논리 연산자 &&를 사용하면 쉽게 엘리먼트를 조건부로 넣을 수 있다.

  • true && expression 은 항상 expression으로 평가
  • false && expression 은 항상 false로 평가

⇒ 따라서 && 뒤에 엘리먼트는 조건이 ture일때 출력되고, false라면 React는 무시하고 건너뛴다.

funtion Mailbox(props) {
  const unreadMessages = props.unreadMessages;
  return (
    <div>
      <h1>Hello!</h1>
      {unreadMessages.length > 0 && 
        <h2>You have {unreadMessages.length} unread messages.</h2>
      }
    </div>
  )
}
  • falsy 표현식을 반환하면 && 뒤에 있는 표현식은 건너뛰지만, falsy 표현식은 반환된다
    • <div>0</div>이 render메서드에서 반환된다.
render() {
  const count = 0;
  return (
    <div>
      {count && <h1>Messages: {count}</h1>}
    </div>
  );
}

See the Pen Inline If-Else with Logical && Operator by bori (@boriguri) on CodePen.

조건부 연산자로 If-Else 구분 인라인으로 표현하기

삼항 연산자인 condition ? true : false를 사용하여 엘리먼트를 조건부로 렌더링

render() {
  const isLoggedIn = this.state.isLoggedIn;
  return (
    <div>
      The user is <b>{isLoggedIn ? 'currently' : 'not'}</b> looged in.
    </div>
  );
}

// 삼항 연산자로 컴포넌트를 조건부 렌더링
render() {
  const isLoggedIn = this.state.isLoggedIn;
  return (
    <div>
      {isLoggedIn
        ? <LogoutButton onClick={this.handleLogoutClick} />  
        : <LoginButton onClick={this.handleLoginClick} />
      }
    </div>
  );
}

⇒ 조건이 너무 복잡하다면 컴포넌트를 분리하는 것이 좋다.

컴포넌트가 렌더링 하는 것을 막기

다른 컴포넌트에 의해 렌더링될 때 컴포넌트 자체를 숨기고 싶을 경우, 렌더링 결과를 출력하는 대신 null을 반환할 수 있다.

<WarningBanner /> 컴포넌트

  • warn prop의 값에 의해서 렌더링
  • prop이 false라면 컴포넌트를 렌더링하지 않는다.
funtion 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 ? 'Hode' : 'Show'}
        </button>
      </div>
    )
  }
}

const root = ReactDom.createRoot(document.getElementById('root'));
root.render(<Page />);

⇒ 컴포넌트의 render 메서드로부터 null을 반환하는 것은 생명주기 메서드 호출에 영향을 주지 않는다.
그 예로 componentDidUpdate는 계속 호출된다.

0개의 댓글