>웹 프론트엔드 >JS 튜토리얼 >React v 안정 릴리스 및 새로운 기능

React v 안정 릴리스 및 새로운 기능

Linda Hamilton
Linda Hamilton원래의
2024-12-09 00:12:12789검색

React v The Stable Release and What’s New

개발을 단순화하고 애플리케이션 성능을 향상시키는 풍부한 새로운 기능과 향상된 기능을 제공하는 React 19가 공식적으로 출시되었습니다. 향상된 상태 관리부터 향상된 서버측 통합까지 React 19는 모든 사람을 위한 기능을 제공합니다.


React 19의 주요 기능:

1. 단순화된 비동기 상태 관리를 위한 조치

API 요청과 같은 비동기 작업을 관리하는 것은 항상 React에서 일반적인 과제였습니다. React 19에는 보류 상태, 오류 처리 및 낙관적 업데이트를 자동화하는 Actions가 도입되었습니다.

예:

를 사용한 단순화된 양식 제출 조치

import { useActionState } from "react";

function UpdateNameForm() {
  const [error, submitAction, isPending] = useActionState(
    async (prevState, formData) => {
      const name = formData.get("name");
      const error = await updateName(name);
      if (error) {
        return error;
      }
      redirect("/profile");
      return null;
    },
    null
  );

  return (
    <form action={submitAction}>
      <input type="text" name="name" />
      <button type="submit" disabled={isPending}>
        Update
      </button>
      {error && <p>{error}</p>}
    </form>
  );
}

여기서 useActionState는 제출 상태와 오류 처리를 관리하여 코드를 더 깔끔하고 유지 관리하기 쉽게 만듭니다.


2. useOptimistic을 사용한 낙관적 업데이트

낙관적 UI 업데이트를 통해 사용자는 비동기 요청이 진행되는 동안 변경 사항을 즉시 확인할 수 있습니다. 새로운 사용Optimistic 후크를 사용하면 이 패턴이 간단해집니다.

예: 낙관적 이름 변경

import { useOptimistic } from "react";

function ChangeName({ currentName, onUpdateName }) {
  const [optimisticName, setOptimisticName] = useOptimistic(currentName);

  const submitAction = async (formData) => {
    const newName = formData.get("name");
    setOptimisticName(newName); // Show optimistic state
    const updatedName = await updateName(newName); // Wait for the async request
    onUpdateName(updatedName); // Update the actual state
  };

  return (
    <form action={submitAction}>
      <p>Your name: {optimisticName}</p>
      <input type="text" name="name" />
      <button type="submit">Change Name</button>
    </form>
  );
}

useOptimistic은 서버가 응답하기 전에도 업데이트를 표시하여 원활한 사용자 경험을 보장합니다.


3. 수화 불일치에 대한 향상된 오류 보고

React 19는 특히 수화 오류에 대한 오류 처리를 개선합니다. 모호한 오류 대신 이제 서버와 클라이언트 간에 일치하지 않는 콘텐츠에 대한 자세한 차이점을 확인할 수 있습니다.

예: 수화 오류 차이

Uncaught Error: Hydration failed because the server-rendered HTML didn’t match the client.
Tree mismatch:
+ Client: <span>Welcome</span>
- Server: <span>Hello</span>

이러한 명확한 메시지는 개발자가 문제를 빠르고 효율적으로 디버그하는 데 도움이 됩니다.


4. 서버 구성 요소 및 서버 작업

React 서버 구성 요소(RSC)를 사용하면 구성 요소를 서버에서 렌더링하여 성능을 향상시킬 수 있습니다. 서버 작업을 사용하면 클라이언트 구성 요소에서 직접 서버의 비동기 기능을 호출할 수 있습니다.

예: 서버 작업 사용

// Server Component
export const fetchComments = async () => {
  const response = await fetch("/api/comments");
  return await response.json();
};

// Client Component
import { use } from "react";

function Comments({ commentsPromise }) {
  const comments = use(commentsPromise); // Suspends until resolved
  return (
    <ul>
      {comments.map((comment) => (
        <li key={comment.id}>{comment.text}</li>
      ))}
    </ul>
  );
}

// Usage
function App() {
  return (
    <Suspense fallback={<p>Loading comments...</p>}>
      <Comments commentsPromise={fetchComments()} />
    </Suspense>
  );
}

서버 작업은 클라이언트 구성 요소 내에서 서버 측 데이터 가져오기 및 렌더링을 간소화합니다.


5. 기본 메타데이터 및 스타일시트 관리

React 19는 이제 , <link> 및 <meta>를 지원합니다. 기본적으로 태그를 추가하여 문서 메타데이터 관리를 단순화합니다.</p> <p><strong>예: 구성 요소의 동적 메타데이터</strong><br> </p> <pre class="brush:php;toolbar:false">function BlogPost({ title, keywords }) { return ( <article> <h1>{title}</h1> <title>{title}</title> <meta name="keywords" content={keywords.join(", ")} /> <p>Content of the blog post...</p> </article> ); } </pre> <p>React는 이러한 태그가 <head> 섹션을 자동으로 제공하여 SEO와 유용성을 향상시킵니다.</p> <p><strong>예: 관리형 스타일시트</strong><br> </p> <pre class="brush:php;toolbar:false">import { useActionState } from "react"; function UpdateNameForm() { const [error, submitAction, isPending] = useActionState( async (prevState, formData) => { const name = formData.get("name"); const error = await updateName(name); if (error) { return error; } redirect("/profile"); return null; }, null ); return ( <form action={submitAction}> <input type="text" name="name" /> <button type="submit" disabled={isPending}> Update </button> {error && <p>{error}</p>} </form> ); } </pre> <p>React는 여러 번 참조하더라도 스타일시트가 올바른 순서로 한 번만 로드되도록 보장합니다.</p> <hr> <h3> <strong>React 19로 업그레이드해야 하는 이유</strong> </h3> <p>React 19의 새로운 기능은 상용구 코드를 크게 줄이고, 애플리케이션 성능을 향상시키며, 개발 경험을 향상시킵니다. <strong>액션</strong>, <strong>최적 업데이트</strong> 및 <strong>서버 구성 요소</strong>와 같은 기능을 통해 개발자는 더 적은 노력으로 동적이고 반응성이 뛰어나며 확장 가능한 애플리케이션을 구축할 수 있습니다.</p> <hr> <h3> <strong>업그레이드 방법</strong> </h3> <p>원활한 전환을 위해 React 19 업그레이드 가이드를 따르세요. 철저히 테스트하고 가이드에 설명된 주요 변경 사항을 해결하세요.</p> <hr> <p>React 19는 단순성, 강력함, 성능을 결합한 획기적인 제품입니다. 새로운 기능을 실험해 보고 React 프로젝트를 다음 단계로 끌어올리세요!</p> <p>위 내용은 React v 안정 릴리스 및 새로운 기능의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!</p></div><div class="nphpQianMsg"><a href="javascript:void(0);">less</a> <a href="javascript:void(0);">for</a> <a href="javascript:void(0);">while</a> <a href="javascript:void(0);">Error</a> <a href="javascript:void(0);">using</a> <a href="javascript:void(0);">this</a> <a href="javascript:void(0);">transition</a> <a href="javascript:void(0);">ui</a> <a href="javascript:void(0);">SEO</a> <a href="javascript:void(0);">Game</a><div class="clear"></div></div><div class="nphpQianSheng"><span>성명:</span><div>본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.</div></div></div><div class="nphpSytBox"><span>이전 기사:<a class="dBlack" title="CSS 및 JavaScript를 사용하여 HTML 테이블 헤더를 어떻게 고정할 수 있습니까?" href="https://m.php.cn/ko/faq/1796713282.html">CSS 및 JavaScript를 사용하여 HTML 테이블 헤더를 어떻게 고정할 수 있습니까?</a></span><span>다음 기사:<a class="dBlack" title="CSS 및 JavaScript를 사용하여 HTML 테이블 헤더를 어떻게 고정할 수 있습니까?" href="https://m.php.cn/ko/faq/1796713306.html">CSS 및 JavaScript를 사용하여 HTML 테이블 헤더를 어떻게 고정할 수 있습니까?</a></span></div><div class="nphpSytBox2"><div class="nphpZbktTitle"><h2>관련 기사</h2><em><a href="https://m.php.cn/ko/article.html" class="bBlack"><i>더보기</i><b></b></a></em><div class="clear"></div></div><ins class="adsbygoogle" style="display:block" data-ad-format="fluid" data-ad-layout-key="-6t+ed+2i-1n-4w" data-ad-client="ca-pub-5902227090019525" data-ad-slot="8966999616"></ins><script> (adsbygoogle = window.adsbygoogle || []).push({}); </script><ul class="nphpXgwzList"><li><b></b><a href="https://m.php.cn/ko/faq/1609.html" title="Bootstrap 목록 그룹 구성 요소에 대한 심층 분석" class="aBlack">Bootstrap 목록 그룹 구성 요소에 대한 심층 분석</a><div class="clear"></div></li><li><b></b><a href="https://m.php.cn/ko/faq/1640.html" title="JavaScript 함수 커링에 대한 자세한 설명" class="aBlack">JavaScript 함수 커링에 대한 자세한 설명</a><div class="clear"></div></li><li><b></b><a href="https://m.php.cn/ko/faq/1949.html" title="JS 비밀번호 생성 및 강도 감지의 전체 예(데모 소스 코드 다운로드 포함)" class="aBlack">JS 비밀번호 생성 및 강도 감지의 전체 예(데모 소스 코드 다운로드 포함)</a><div class="clear"></div></li><li><b></b><a href="https://m.php.cn/ko/faq/2248.html" title="Angularjs는 WeChat UI(weui)를 통합합니다." class="aBlack">Angularjs는 WeChat UI(weui)를 통합합니다.</a><div class="clear"></div></li><li><b></b><a href="https://m.php.cn/ko/faq/2351.html" title="JavaScript를 사용하여 중국어 번체와 중국어 간체 간을 빠르게 전환하는 방법과 중국어 간체와 중국어 번체 간 전환을 지원하는 웹사이트의 요령_javascript 기술" class="aBlack">JavaScript를 사용하여 중국어 번체와 중국어 간체 간을 빠르게 전환하는 방법과 중국어 간체와 중국어 번체 간 전환을 지원하는 웹사이트의 요령_javascript 기술</a><div class="clear"></div></li></ul></div></div><ins class="adsbygoogle" style="display:block" data-ad-format="autorelaxed" data-ad-client="ca-pub-5902227090019525" data-ad-slot="5027754603"></ins><script> (adsbygoogle = window.adsbygoogle || []).push({}); </script><footer><div class="footer"><div class="footertop"><img src="/static/imghwm/logo.png" alt=""><p>공공복지 온라인 PHP 교육,PHP 학습자의 빠른 성장을 도와주세요!</p></div><div class="footermid"><a href="https://m.php.cn/ko/about/us.html">회사 소개</a><a href="https://m.php.cn/ko/about/disclaimer.html">부인 성명</a><a href="https://m.php.cn/ko/update/article_0_1.html">Sitemap</a></div><div class="footerbottom"><p> © php.cn All rights reserved </p></div></div></footer><script>isLogin = 0;</script><script type="text/javascript" src="/static/layui/layui.js"></script><script type="text/javascript" src="/static/js/global.js?4.9.47"></script></div><script src="https://vdse.bdstatic.com//search-video.v1.min.js"></script><link rel='stylesheet' id='_main-css' href='/static/css/viewer.min.css' type='text/css' media='all'/><script type='text/javascript' src='/static/js/viewer.min.js?1'></script><script type='text/javascript' src='/static/js/jquery-viewer.min.js'></script><script>jQuery.fn.wait = function (func, times, interval) { var _times = times || -1, //100次 _interval = interval || 20, //20毫秒每次 _self = this, _selector = this.selector, //选择器 _iIntervalID; //定时器id if( this.length ){ //如果已经获取到了,就直接执行函数 func && func.call(this); } else { _iIntervalID = setInterval(function() { if(!_times) { //是0就退出 clearInterval(_iIntervalID); } _times <= 0 || _times--; //如果是正数就 -- _self = $(_selector); //再次选择 if( _self.length ) { //判断是否取到 func && func.call(_self); clearInterval(_iIntervalID); } }, _interval); } return this; } $("table.syntaxhighlighter").wait(function() { $('table.syntaxhighlighter').append("<p class='cnblogs_code_footer'><span class='cnblogs_code_footer_icon'></span></p>"); }); $(document).on("click", ".cnblogs_code_footer",function(){ $(this).parents('table.syntaxhighlighter').css('display','inline-table');$(this).hide(); }); $('.nphpQianCont').viewer({navbar:true,title:false,toolbar:false,movable:false,viewed:function(){$('img').click(function(){$('.viewer-close').trigger('click');});}}); </script></body></html>