What is ReactReact is a simple javascript UI library for building efficient and fast user interfaces. It is a lightweight library and hence its popularity. It follows component design patterns, declarative programming paradigms, and functional programming concepts to make front-end applications more efficient. It uses virtual DOM to manipulate DOM efficiently. It follows a unidirectional data flow from higher-order components to lower-order components. Preface📝👉 We believe React is the preferred way to build fast, responsive and large-scale web applications in JavaScript. It performs well on Facebook and Instagram. Official website address The concept of react is React avoids this problem due to its own underlying design, so the release of react16.8 only does three things for the front-end field: fast response, fast response, or TMD fast response! This article will start from an html, follow the fiber concept of react, and imitate a very basic react Preparation work at the beginning🤖html We need an HTML to support the entire page and support the operation of react. Add <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>Document</title> </head> <body> <div id="root"></div> <script type="module" src="./index.js" ></script> </body> </html> It is recommended to install a JavaScript We will imitate the following react to implement a basic operation, bind the event to ... function App() { return ( <div> <input onInput={updateValue} value={value} /> <h2>Hello {value}</h2> <hr /> </div> ); } ... When React is compiled with Babel, ... React.createElement( "div", null, React.createElement("input", { onInput: updateValue, value: value, }), React.createElement("h2", null, "Hello", value), React.createElement("hr", null) ); ... Online Address From the converted code we can see that React.createElement supports multiple parameters:
We can write a { type:'node label', props:{ props:'Properties on the node, including events, classes...', children:'child nodes of the node' } } Here we can write a function to achieve the following requirements
/** * Create a virtual DOM structure * @param {type} tag name * @param {props} property object * @param {children} child nodes * @return {element} virtual DOM */ const createElement = (type, props, ...children) => ({ type, props: { ...props, children: children.map(child => typeof child === "object" ? child : { type: "TEXT_ELEMENT", props: { nodeValue: child, children: [], }, } ), }, }); React source code implementation of createElement After implementing import {createElement,render} from "./mini/index.js"; const updateValue = e => executeRender(e.target.value); const executeRender = (value = "World") => { const element = createElement( "div", null, createElement("input", { onInput: updateValue, value: value, }), createElement("h2", null, "Hello", value), createElement("hr", null) ); render(element, document.getElementById("root")); }; executeRender(); What is done when rendering?before version
Before React 16.8, rendering was done in the following steps:
Get the virtual DOM and perform the above three steps recursively. The rendered page is similar to the following process /** * Add virtual DOM to real DOM * @param {element} virtual DOM * @param {container} real DOM */ const render = (element, container) => { let dom; /* Processing nodes (including text nodes) */ if (typeof element !== "object") { dom = document.createTextNode(element); } else { dom = document.createElement(element.type); } /* Processing properties (including event properties) */ if (element.props) { Object.keys(element.props) .filter((key) => key != "children") .forEach((item) => { dom[item] = element.props[item]; }); Object.keys(element.props) .filter((key) => key.startsWith("on")) .forEach((name) => { const eventType = name.toLowerCase().substring(2); dom.addEventListener(eventType, nextProps[name]); }); } if ( element.props && element.props.children && element.props.children.length ) { /* Looping to add to DOM */ element.props.children.forEach((child) => render(child, dom)); } container.appendChild(dom); }; after version (fiber) When we finish writing the above code, we will find that this recursive call is problematic. The above part of the work is officially called renderer by React. Renderer is a module that third parties can implement by themselves. There is also a core module called reconsiler. One of the major functions of reconsiler is the diff algorithm. It will calculate which page nodes should be updated, and then pass the virtual DOM of the nodes that need to be updated to the renderer. The renderer is responsible for rendering these nodes to the page, but it is synchronous. Once the rendering starts, all nodes and their child nodes will be rendered and the process will not end until it is completed. There is an example in React's official presentation, which clearly shows the lag caused by this synchronous calculation: When the DOM tree is large, the running time of the JS thread may be relatively long. During this time, the browser will not respond to other events because the JS thread and the GUI thread are mutually exclusive. The page will not respond when the JS is running. If this time is too long, users may see lag. We can solve this problem in two steps.
Solution I introduces a new API requestIdleCallback receives a callback that will be called when the browser is idle. Each call will pass in an IdleDeadline to get the current idle time. options can pass in the maximum waiting time. If the browser is not idle by the time, it will be forced to execute. window.requestIdleCallback queues a function to be called during the browser's idle period. This enables developers to perform background and low-priority work on the main event loop without affecting delayed key events. However, this API is still experimental and has poor compatibility, so React officially implemented its own set. This article will continue to use requestIdleCallback for task scheduling // Next unit of work let nextUnitOfWork = null /** * workLoop work loop function* @param {deadline} deadline*/ function workLoop(deadline) { // Should the work loop function be stopped? let shouldYield = false // If there is a next unit of work and there is no other work with higher priority, loop while (nextUnitOfWork && !shouldYield) { nextUnitOfWork = performUnitOfWork( nextUnitOfWork ) // If the deadline is approaching, stop the work loop function shouldYield = deadline.timeRemaining() < 1 } // Notify the browser that workLoop should be executed during idle time requestIdleCallback(workLoop) } // Notify the browser that workLoop should be executed during idle time requestIdleCallback(workLoop) // Execute unit events and return the next unit event function performUnitOfWork(nextUnitOfWork) { //TODO } Solution II Create the fiber data structure The previous data structure of Fiber is a tree, where the children of the parent node point to the child nodes, but this pointer alone cannot achieve interruption and continuation. For example, I now have a parent node A, A has three child nodes B, C, and D. When I traverse to C, I am interrupted. When I start again, I actually don’t know which one to execute under C, because I only know C, and there is no pointer to its parent node, nor a pointer to its brothers. Fiber transforms such a structure and adds pointers to the parent node and sibling nodes:
Each fiber has a link to its first child, next sibling, and its parent. This data structure allows us to more easily find the next work unit. Assuming
We use this data structure to implement a fiber //Create the initial root fiber wipRoot = { dom: container, props: { children: [element] }, }; performUnitOfWork(wipRoot); Then call /** * performUnitOfWork is used to perform tasks * @param {fiber} our current fiber task * @return {fiber} the next task fiber task */ const performUnitOfWork = fiber => { if (!fiber.dom) fiber.dom = createDom(fiber); // Create a DOM to mount it const elements = fiber.props.children; // All sibling nodes under the current element // If there is a parent node, mount the current node to the parent node if (fiber.return) { fiber.return.dom.appendChild(fiber.dom); } let prevSibling = null; /* Later in the code we will extract the logic here*/ if (elements && elements.length) { elements.forEach((element, index) => { const newFiber = { type: element.type, props: element.props, return: fiber, dom: null, }; // The parent's child points to the first child element if (index === 0) { fiber.child = newFiber; } else { // Each child element has a pointer to the next child element prevSibling.sibling = newFiber; } prevSibling = fiber; }); } // First find the child element, if there is no child element, then find the sibling element // If there is no sibling element, then return to the parent element // Finally end at the root node // The traversal order is from top to bottom and from left to right if (fiber.child) { return fiber.child; } else { let nextFiber = fiber; while (nextFiber) { if (nextFiber.sibling) { return nextFiber.sibling; } nextFiber = nextFiber.return; } } } after version (reconcile)currentRoot Reconcile is actually a diff operation of the virtual DOM tree. It compares the fiber tree before and after the update. After obtaining the comparison result, only the DOM nodes corresponding to the changed fibers are updated.
Added the currentRoot variable to save the fiber tree before the root node was updated, and added the alternate attribute to the fiber to save the fiber tree before the fiber was updated. let currentRoot = null function render (element, container) { wipRoot = { // Omit alternate: currentRoot } } function commitRoot () { commitWork(wipRoot.child) /* Change the direction of the fiber tree and replace the fiber tree in the cache with the fiber tree in the page */ currentRoot = wipRoot wipRoot = null }
reconcileChildren
When comparing fiber trees
/** * Coordination child node * @param {fiber} fiber * @param {elements} fiber's child nodes */ function reconcileChildren(wipFiber, elements) { let index = 0; // Used to count the index value of child nodes let oldFiber = wipFiber.alternate && wipFiber.alternate.child; // Only generated when updating let prevSibling; // Previous sibling node while (index < elements.length || oldFiber) { /** * Traverse the child nodes* oldFiber determines whether it is an update trigger or the first trigger. When the update triggers, it is all the nodes under the element*/ let newFiber; const element = elements[index]; const sameType = oldFiber && element && element.type == oldFiber.type; // Whether the fiber type is the same/** * When updating* Same tag with different attributes, update the attributes*/ if (sameType) { newFiber = { type: oldFiber.type, props: element.props, //Only update properties dom: oldFiber.dom, parent: wipFiber, alternate: oldFiber, effectTag: "UPDATE", }; } /** * Different tags, that is, replace the tag or create a new tag*/ if (element && !sameType) { newFiber = { type: element.type, props: element.props, dom: null, parent: wipFiber, alternate: null, effectTag: "PLACEMENT", }; } /** * The node was deleted */ if (oldFiber && !sameType) { oldFiber.effectTag = "DELETION"; deletions.push(oldFiber); } if (oldFiber) oldFiber = oldFiber.sibling; // The parent's child points to the first child element if (index === 0) { // The first child of a fiber is its child wipFiber.child = newFiber; } else { // The other child nodes of fiber are sibling nodes of its first child node prevSibling.sibling = newFiber; } // Assign the newly created newFiber to prevSibling, so that it is convenient to add sibling nodes for newFiber prevSibling = newFiber; // Index value + 1 index++; } } When committing, different rendering operations are performed according to the properties of after version (commit) In commitWork, the effectTag of the fiber is judged to handle the actual DOM operation.
/** * @param {fiber} virtual dom of fiber structure */ function commitWork(fiber) { if (!fiber) return; const domParent = fiber.parent.dom; if (fiber.effectTag === "PLACEMENT" && fiber.dom != null) { domParent.appendChild(fiber.dom); } else if (fiber.effectTag === "UPDATE" && fiber.dom != null) { updateDom(fiber.dom, fiber.alternate.props, fiber.props); } else if (fiber.effectTag === "DELETION") { domParent.removeChild(fiber.dom); } // Recursively operate child elements and sibling elements commitWork(fiber.child); commitWork(fiber.sibling); } At this point, let's focus on what happens /* isEvent: Get event attributes isProperty: Get non-node, non-event attributes isNew: Get the attributes that changed before and after*/ const isEvent = key => key.startsWith("on"); const isProperty = key => key !== "children" && !isEvent(key); const isNew = (prev, next) => key => prev[key] !== next[key]; /** * Update dom properties * @param {dom} fiber dom * @param {prevProps} the old properties on fiber dom * @param {nextProps} the new properties on fiber dom */ function updateDom(dom, prevProps, nextProps) { /** * Convenient old attributes* 1. Get the event attributes starting with on* 2. Get the deleted events* 3. Cancel the monitoring of the deleted events*/ Object.keys(prevProps) .filter(isEvent) .filter(key => !(key in nextProps)) .forEach(name => { const eventType = name.toLowerCase().substring(2); dom.removeEventListener(eventType, prevProps[name]); }); /** * Convenient old attributes* 1. Get non-event attributes and non-child node attributes* 2. Get deleted attributes* 3. Delete attributes*/ Object.keys(prevProps) .filter(isProperty) .filter(key => !(key in nextProps)) .forEach(key => delete dom[key]); /** * Convenient new attributes * 1. Get non-event attributes and non-child node attributes * 2. Get the attributes that changed before and after * 3. Add attributes */ Object.keys(nextProps) .filter(isProperty) .filter(isNew(prevProps, nextProps)) .forEach(name => { dom[name] = nextProps[name]; }); /** * Convenient new attributes * 1. Get the event attributes starting with on * 2. Get the event attributes that changed before and after * 3. Add a listener for the newly added event attributes */ Object.keys(nextProps) .filter(isEvent) .filter(isNew(prevProps, nextProps)) .forEach(name => { const eventType = name.toLowerCase().substring(2); dom.addEventListener(eventType, nextProps[name]); }); } After completing a series of operations on the DOM, we render the newly changed DOM to the page. When the input event is executed, the page will be rendered again, but at this time it will enter the logic of updating the fiber tree. Mission accomplished! The complete code can be found on my github. Conclusion and summary 💢 in conclusion
Summarize
At this point, thank you for taking the time to read this article. I hope it will be helpful to you. If you have any questions, you are welcome to correct me. Due to work reasons, I have been writing this article intermittently for about a month. I am busy with a small program phone function based on 👋: Jump to github. Welcome to give a star. Thank you everyone. References 🍑: Handwriting series-Realize a platinum-level React 🍑: build-your-own-react (highly recommended) 🍑: Hand-write React's Fiber architecture and deeply understand its principles 🍑: Hand-write a simple React 🍑: Teacher Dasheng from Miaowei Classroom wrote the fiber and hooks architecture of react 🍑: React Fiber Architecture 🍑: Hand-write a simple React This is the end of this article about teaching you how to implement a react from html. For more relevant html implementation react content, please search 123WORDPRESS.COM’s previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: A brief discussion of four commonly used storage engines in MySQL
>>: Solution to Nginx 500 Internal Server Error
I searched the entire web and found all kinds of ...
This article example shares the specific code of ...
This article uses examples to illustrate the diff...
Ordered List XML/HTML CodeCopy content to clipboa...
1. The first method is to start the local tomcat ...
Now 2016 server supports multi-site https service...
This article example shares the specific code of ...
Without further ado Start recording docker pullin...
Preface In a relatively complex large system, if ...
The use of Vue+ElementUI Tree is for your referen...
1. MySQL gets the current date and time function ...
This article shares the specific code of js to ac...
Original text: http://www.planabc.net/2008/08/05/...
Table of contents About MariaDB database in Linux...
Preface In front-end development, you often need ...