React (JavaScript library)























































React
React-icon.svg
Original author(s) Jordan Walke
Developer(s) Facebook and community
Initial release May 29, 2013; 5 years ago (2013-05-29)[1]
Stable release
16.8.4
/ March 5, 2019; 3 days ago (2019-03-05)[2]

Repository
  • github.com/facebook/react
Edit this at Wikidata
Written in JavaScript
Platform Web platform
Size 109.7 KiB production
774.7 KiB development
Type JavaScript library
License MIT License
Website reactjs.org

React (also known as React.js or ReactJS) is a JavaScript library[3] for building user interfaces. It is maintained by Facebook and a community of individual developers and companies.[4][5][6]


React can be used as a base in the development of single-page or mobile applications. Complex React applications usually require the use of additional libraries for state management, routing, and interaction with an API.[7][8]




Contents






  • 1 History


  • 2 Basic usage


  • 3 Notable features


    • 3.1 One-way data binding with props


    • 3.2 Stateful components


    • 3.3 Virtual DOM


    • 3.4 Lifecycle methods


    • 3.5 JSX


    • 3.6 Architecture beyond HTML




  • 4 Common idioms


    • 4.1 Use of the Flux architecture




  • 5 Future development


    • 5.1 Sub projects


    • 5.2 Facebook Contributor License Agreement (CLA)




  • 6 Criticism


  • 7 Licensing controversy


  • 8 See also


  • 9 References


  • 10 External links





History


React was created by Jordan Walke, a software engineer at Facebook. He was influenced by XHP, an HTML component framework for PHP.[9] It was first deployed on Facebook's newsfeed in 2011 and later on Instagram.com in 2012.[10] It was open-sourced at JSConf US in May 2013.


React Native, which enables native Android, iOS, and UWP development with React, was announced at Facebook's React.js Conf in February 2015 and open-sourced in March 2015.


On April 18, 2017, Facebook announced React Fiber, a new core algorithm of React framework library for building user interfaces.[11] React Fiber was to become the foundation of any future improvements and feature development of the React framework.[12][needs update]



Basic usage


The following is a rudimentary example of React usage in HTML with JSX and JavaScript.


 1 <div id="myReactApp"></div>
2
3 <script type="text/babel">
4 class Greeter extends React.Component {
5 render() {
6 return <h1>{this.props.greeting}</h1>
7 }
8 }
9
10 ReactDOM.render(<Greeter greeting="Hello World!" />, document.getElementById('myReactApp'));
11 </script>

The Greeter class is a React component that accepts a property greeting. The ReactDOM.render method creates an instance of the Greeter component, sets the greeting property to 'Hello World' and inserts the rendered component as a child element to the DOM element with id myReactApp.


When displayed in a web browser the result will be


<div id="myReactApp">
<h1>Hello World!</h1>
</div>


Notable features



One-way data binding with props


Properties (commonly, props) are passed to a component from the parent component. Components receive props as a single set of immutable values[13] (a JavaScript object).



Stateful components


States hold values throughout the component and can be passed to child components through props:


1 class ParentComponent extends React.Component {
2 state = { color: 'green' };
3 render() {
4 return (
5 <ChildComponent color={this.state.color} />
6 );
7 }
8 }


Virtual DOM


Another notable feature is the use of a "virtual Document Object Model", or "virtual DOM". React creates an in-memory data-structure cache, computes the resulting differences, and then updates the browser's displayed DOM efficiently.[14] This allows the programmer to write code as if the entire page is rendered on each change, while the React libraries only render subcomponents that actually change.



Lifecycle methods


Lifecycle methods are hooks which allow execution of code at set points during the component's lifetime.




  • shouldComponentUpdate allows the developer to prevent unnecessary re-rendering of a component by returning false if a render is not required.


  • componentDidMount is called once the component has 'mounted' (the component has been created in the user interface, often by associating it with a DOM node). This is commonly used to trigger data loading from a remote source via an API.


  • componentWillUnmount is called immediately before the component is tore down or 'unmounted'. This is commonly used to clear resource demanding dependencies to the component that will not simply be removed with the unmounting of the component (e.g. removing any 'setInterval()' instances that are related to the component, or an 'eventListener' set on the 'document' because of the presence of the component)


  • render is the most important lifecycle method and the only required one in any component. It is usually called every time the component's state is updated, reflecting changes in the user interface.



JSX


JSX (JavaScript XML) is an extension to the JavaScript language syntax.[15] Similar in appearance to HTML, JSX provides a way to structure component rendering using syntax familiar to many developers. React components are typically written using JSX, although they do not have to be (components may also be written in pure JavaScript). JSX is similar to another extension syntax created by Facebook for PHP, XHP.


An example of JSX code:


 1 class App extends React.Component {
2 render() {
3 return (
4 <div>
5 <p>Header</p>
6 <p>Content</p>
7 <p>Footer</p>
8 </div>
9 );
10 }
11 }

Nested elements

Multiple elements on the same level need to be wrapped in a single container element such as the <div> element shown above, or returned as an array[16].


Attributes

JSX provides a range of element attributes designed to mirror those provided by HTML. Custom attributes can also be passed to the component[17]. All attributes will be received by the component as props.


JavaScript expressions

JavaScript expressions (but not statements) can be used inside JSX with curly brackets {}:


  <h1>{10+1}</h1>

The example above will render


  <h1>11</h1>

Conditional statements

If–else statements cannot be used inside JSX but conditional expressions can be used instead.
The example below will render { i === 1 ? 'true' : 'false' } as the string 'true' because i is equal to 1.


 1 class App extends React.Component {
2 render() {
3 const i = 1;
4 return (
5 <div>
6 <h1>{ i === 1 ? 'true' : 'false' }</h1>
7 </div>
8 );
9 }
10 }

The above will render:


<div>
<h1>true</h1>
</div>

Functions and JSX can be used in conditionals:


 1 class App extends React.Component {
2 render() {
3 const sections = [1, 2, 3];
4 return (
5 <div>
6 {sections.length > 0 && sections.map(n => (
7 /* 'key' is used by react to keep track of list items and their changes */
8 <div key={"section-" + n}>Section {n}</div>
9 ))}
10 </div>
11 );
12 }
13 }

The above will render:


<div>
<div>Section 1</div>
<div>Section 2</div>
<div>Section 3</div>
</div>

Code written in JSX requires conversion with a tool such as Babel before it can be understood by web browsers.[18] This processing is generally performed during a software build process before the application is deployed.



Architecture beyond HTML


The basic architecture of React applies beyond rendering HTML in the browser. For example, Facebook has dynamic charts that render to <canvas> tags,[19] and Netflix and PayPal use universal loading to render identical HTML on both the server and client.[20][21]



Common idioms


React does not attempt to provide a complete 'application framework'. It is designed specifically for building user interfaces[3] and therefore does not include many of the tools some developers might consider necessary to build an application. This allows the choice of whichever libraries the developer prefers to accomplish tasks such as performing network access or local data storage. Common patterns of usage have emerged as the library matures.



Use of the Flux architecture


To support React's concept of unidirectional data flow (which might be contrasted with AngularJS's bidirectional flow), the Flux architecture represents an alternative to the popular model-view-controller architecture. Flux features actions which are sent through a central dispatcher to a store, and changes to the store are propagated back to the view[22]. When used with React, this propagation is accomplished through component properties.


Flux can be considered a variant of the observer pattern[23].


A React component under the Flux architecture should not directly modify any props passed to it, but should be passed callback functions that create actions which are sent by the dispatcher to modify the store. The action is an object whose responsibility is to describe what has taken place: for example, an action describing one user 'following' another might contain a user id, a target user id, and the type USER_FOLLOWED_ANOTHER_USER[24]. The stores (which can be thought of as models) can alter themselves in response to actions received from the dispatcher.


This pattern is sometimes expressed as "properties flow down, actions flow up". Many implementations of Flux have been created since its inception, perhaps the most well-known being Redux which features a single store, often called a single source of truth.[25]



Future development


Project status can be tracked via the core team discussion forum.[26] However, major changes to React go through the Future of React repository issues and pull requests.[27][28] This enables the React community to provide feedback on new potential features, experimental APIs and JavaScript syntax improvements.



Sub projects


The status of the React sub-projects used to be available in the project wiki.[29]



Facebook Contributor License Agreement (CLA)


Facebook requires contributors to React to sign the Facebook CLA.[30][31]



Criticism


A criticism of React is that it has high memory (RAM) requirements, since it uses the concept of a "Virtual DOM". This is where "a representation of a UI is kept in memory and synced with the 'real' DOM by a library such as ReactDOM".[32]
As well, due to its Virtual DOM abstraction, React versions including 16 work poorly with the browser's in-built component model[33], and thus with alternative libraries which rely on browser standards to implement their components.



Licensing controversy


The initial public release of React in May 2013 used a standard Apache License 2.0. In October 2014, React 0.12.0 replaced this with a 3-clause BSD license and added a separate PATENTS text file that permits usage of any Facebook patents related to the software:[34]


The license granted hereunder will terminate, automatically and without notice, for anyone that makes any claim (including by filing any lawsuit, assertion or other action) alleging (a) direct, indirect, or contributory infringement or inducement to infringe any patent: (i) by Facebook or any of its subsidiaries or affiliates, whether or not such claim is related to the Software, (ii) by any party if such claim arises in whole or in part from any software, product or service of Facebook or any of its subsidiaries or affiliates, whether or not such claim is related to the Software, or (iii) by any party relating to the Software; or (b) that any right in any patent claim of Facebook is invalid or unenforceable.


This unconventional clause caused some controversy and debate in the React user community, because it could be interpreted to empower Facebook to revoke the license in many scenarios, for example, if Facebook sues the licensee prompting them to take "other action" by publishing the action on a blog or elsewhere. Many expressed concerns that Facebook could unfairly exploit the termination clause or that integrating React into a product might complicate a startup company's future acquisition.[35]


Based on community feedback, Facebook updated the patent grant in April 2015 to be less ambiguous and more permissive:[36]


The license granted hereunder will terminate, automatically and without notice, if you (or any of your subsidiaries, corporate affiliates or agents) initiate directly or indirectly, or take a direct financial interest in, any Patent Assertion: (i) against Facebook or any of its subsidiaries or corporate affiliates, (ii) against any party if such Patent Assertion arises in whole or in part from any software, technology, product or service of Facebook or any of its subsidiaries or corporate affiliates, or (iii) against any party relating to the Software. [...] A "Patent Assertion" is any lawsuit or other action alleging direct, indirect, or contributory infringement or inducement to infringe any patent, including a cross-claim or counterclaim.[37]


The Apache Software Foundation considered this licensing arrangement to be incompatible with its licensing policies, as it "passes along risk to downstream consumers of our software imbalanced in favor of the licensor, not the licensee, thereby violating our Apache legal policy of being a universal donor", and "are not a subset of those found in the [Apache License 2.0], and they cannot be sublicensed as [Apache License 2.0]".[38]. In August 2017, Facebook dismissed the Apache Foundation's downstream concerns and refused to reconsider their license[39][40]. The following month, WordPress decided to switch their Gutenberg and Calypso projects away from React.[41]


On September 23, 2017, Facebook announced that the following week, it would re-license Flow, Jest, React, and Immutable.js under a standard MIT License; the company stated that React was "the foundation of a broad ecosystem of open source software for the web", and that they did not want to "hold back forward progress for nontechnical reasons."[42]


On September 26, 2017, React 16.0.0 was released with the MIT license.[43] The MIT license change has also been backported to the 15.x release line with React 15.6.2.[44]



See also



  • AngularJS

  • Angular

  • Vue.js

  • Comparison of JavaScript frameworks

  • React Native



References





  1. ^ Occhino, Tom; Walke, Jordan. "JS Apps at Facebook". YouTube. Retrieved 22 Oct 2018..mw-parser-output cite.citation{font-style:inherit}.mw-parser-output .citation q{quotes:"""""""'""'"}.mw-parser-output .citation .cs1-lock-free a{background:url("//upload.wikimedia.org/wikipedia/commons/thumb/6/65/Lock-green.svg/9px-Lock-green.svg.png")no-repeat;background-position:right .1em center}.mw-parser-output .citation .cs1-lock-limited a,.mw-parser-output .citation .cs1-lock-registration a{background:url("//upload.wikimedia.org/wikipedia/commons/thumb/d/d6/Lock-gray-alt-2.svg/9px-Lock-gray-alt-2.svg.png")no-repeat;background-position:right .1em center}.mw-parser-output .citation .cs1-lock-subscription a{background:url("//upload.wikimedia.org/wikipedia/commons/thumb/a/aa/Lock-red-alt-2.svg/9px-Lock-red-alt-2.svg.png")no-repeat;background-position:right .1em center}.mw-parser-output .cs1-subscription,.mw-parser-output .cs1-registration{color:#555}.mw-parser-output .cs1-subscription span,.mw-parser-output .cs1-registration span{border-bottom:1px dotted;cursor:help}.mw-parser-output .cs1-ws-icon a{background:url("//upload.wikimedia.org/wikipedia/commons/thumb/4/4c/Wikisource-logo.svg/12px-Wikisource-logo.svg.png")no-repeat;background-position:right .1em center}.mw-parser-output code.cs1-code{color:inherit;background:inherit;border:inherit;padding:inherit}.mw-parser-output .cs1-hidden-error{display:none;font-size:100%}.mw-parser-output .cs1-visible-error{font-size:100%}.mw-parser-output .cs1-maint{display:none;color:#33aa33;margin-left:0.3em}.mw-parser-output .cs1-subscription,.mw-parser-output .cs1-registration,.mw-parser-output .cs1-format{font-size:95%}.mw-parser-output .cs1-kern-left,.mw-parser-output .cs1-kern-wl-left{padding-left:0.2em}.mw-parser-output .cs1-kern-right,.mw-parser-output .cs1-kern-wl-right{padding-right:0.2em}


  2. ^ "Releases – Facebook/React". GitHub.


  3. ^ ab "React - A JavaScript library for building user interfaces". React. Retrieved 7 April 2018.


  4. ^ Krill, Paul (May 15, 2014). "React: Making faster, smoother UIs for data-driven Web apps". InfoWorld.


  5. ^ Hemel, Zef (June 3, 2013). "Facebook's React JavaScript User Interfaces Library Receives Mixed Reviews". InfoQ.


  6. ^ Dawson, Chris (July 25, 2014). "JavaScript's History and How it Led To ReactJS". The New Stack.


  7. ^ Dere, Mohan (2018-02-19). "How to integrate create-react-app with all the libraries you need to make a great app". freeCodeCamp. Retrieved 2018-06-14.


  8. ^ Samp, Jon (2018-01-13). "React Router to Redux First Router". About Codecademy. Retrieved 2018-06-14.


  9. ^ "React (JS Library): How was the idea to develop React conceived and how many people worked on developing it and implementing it at Facebook?". Quora.


  10. ^ "Pete Hunt at TXJS".


  11. ^ Frederic Lardinois (18 April 2017). "Facebook announces React Fiber, a rewrite of its React framework". TechCrunch. Retrieved 19 April 2017.


  12. ^ "React Fiber Architecture". Github. Retrieved 19 April 2017.


  13. ^ "Components and Props". React. Facebook. Retrieved 7 April 2018.


  14. ^ "Refs and the DOM". React Blog.


  15. ^ "Draft: JSX Specification". JSX. Facebook. Retrieved 7 April 2018.


  16. ^ Clark, Andrew (September 26, 2017). "React v16.0§New render return types: fragments and strings". React Blog.


  17. ^ Clark, Andrew (September 26, 2017). "React v16.0§Support for custom DOM attributes". React Blog.


  18. ^ Fischer, Ludovico (2017-09-06). React for Real: Front-End Code, Untangled. Pragmatic Bookshelf. ISBN 9781680504484.


  19. ^ "Why did we build React? – React Blog".


  20. ^ "PayPal Isomorphic React".


  21. ^ "Netflix Isomorphic React".


  22. ^ "In Depth OverView". Flux. Facebook. Retrieved 7 April 2018.


  23. ^ Johnson, Nicholas. "Introduction to Flux - React Exercise". Nicholas Johnson. Retrieved 7 April 2018.


  24. ^ Abramov, Dan. "The History of React and Flux with Dan Abramov". Three Devs and a Maybe. Retrieved 7 April 2018.


  25. ^ "State Management Tools - Results". The State of JavaScript. Retrieved 7 April 2018.


  26. ^ "Meeting Notes". React Discuss. Retrieved 2015-12-13.


  27. ^ "reactjs/react-future - The Future of React". GitHub. Retrieved 2015-12-13.


  28. ^ "facebook/react - Feature request issues". GitHub. Retrieved 2015-12-13.


  29. ^ "facebook/react Projects wiki". GitHub. Retrieved 2015-12-13.


  30. ^ "facebook/react - CONTRIBUTING.md". GitHub. Retrieved 2015-12-13.


  31. ^ "Contributing to Facebook Projects". Facebook Code. Retrieved 2015-12-13.


  32. ^ https://reactjs.org/docs/faq-internals.html


  33. ^ https://custom-elements-everywhere.com/


  34. ^ "React CHANGELOG.md". GitHub.


  35. ^ Liu, Austin. "A compelling reason not to use ReactJS". Medium.


  36. ^ "Updating Our Open Source Patent Grant".


  37. ^ "Additional Grant of Patent Rights Version 2". GitHub.


  38. ^ "ASF Legal Previously Asked Questions". Apache Software Foundation. Retrieved 2017-07-16.


  39. ^ "Explaining React's License". Facebook. Retrieved 2017-08-18.


  40. ^ "Consider re-licensing to AL v2.0, as RocksDB has just done". Github. Retrieved 2017-08-18.


  41. ^ "WordPress to ditch React library over Facebook patent clause risk". TechCrunch. Retrieved 2017-09-16.


  42. ^ "Relicensing React, Jest, Flow, and Immutable.js". Facebook Code. 2017-09-23.


  43. ^ Clark, Andrew (September 26, 2017). "React v16.0§MIT licensed". React Blog.


  44. ^ Hunzaker, Nathan (September 25, 2017). "React v15.6.2". React Blog.




External links




  • Official website Edit this at Wikidata














這個網誌中的熱門文章

Hercules Kyvelos

Tangent Lines Diagram Along Smooth Curve

Yusuf al-Mu'taman ibn Hud