react 组件引用组件_React Elements VS React组件

react 组件引用组件

A few months ago I posted to Twitter what I thought was a simple question:

几个月前,我在Twitter上发布了一个我认为简单的问题:

What surprised me wasn’t the joint confusion around this question, but rather the amount of inaccurate responses I received.

让我感到惊讶的不是关于这个问题的共同困惑,而是我收到的不准确的答复。

Instances / Instantiation

实例/实例化

Instances / Instantiation Rendering

实例/实例化 渲染

Instances / Instantiation RenderingEvaluation

实例/实例化 渲染 评估

Instances / Instantiation RenderingEvaluationInvocation

实例/实例化 渲染 评估 调用

Instances / Instantiation RenderingEvaluationInvocation“Using it :)”

实例/实例化 渲染 评估 调用 “使用它:)”

The primary reason for the confusion is that there’s an often un-talked about abstraction layer between JSX and what’s actually going on in React land. In order to answer this question, we need to take a deep dive into that abstraction.

造成混淆的主要原因是,在JSX与React领域中实际发生的事情之间经常没有谈论抽象层。 为了回答这个问题,我们需要深入研究该抽象。

Let’s start by looking at the absolute fundamentals of React.

让我们从了解React的绝对基础开始。

React到底是什么? (What exactly is React?)

React is a library for building user interfaces. No matter how complex React or the React ecosystem seem to be, this is React at its core — building UIs. With this in mind, we arrive at our first definition, an Element.

React是用于构建用户界面的库。 无论React或React生态系统看起来多么复杂,这都是React的核心-构建UI。 考虑到这一点,我们得出了第一个定义, Element

Simply put, a React element describes what you want to see on the screen.

简而言之, React元素描述了您想要在屏幕上看到的内容

Not so simply put, a React element is an object representation of a DOM node.

简而言之, React元素是DOM节点的对象表示

Notice that I used the word describe. It’s important to note that a React element isn’t actually the thing you’ll see on your screen, instead, it’s just an object representation of it. There are a few reasons for this:

注意,我使用了describe这个词。 重要的是要注意,React元素实际上并不是您将在屏幕上看到的东西,而是它的对象表示。 这有几个原因:

  1. JavaScript objects are lightweight. React can create and destroy these elements without too much overhead.

    JavaScript对象是轻量级的。 React可以创建和销毁这些元素,而无需太多开销。
  2. React is able to analyze the object, then analyze the actual DOM, and then update the actual DOM only where a change occurred. This has some performance upsides to it.

    React能够分析对象,然后分析实际DOM,然后仅在发生更改的地方更新实际DOM。 这具有一些性能优势。

In order to create our object representation of a DOM node (aka React element), we can use React’s createElement method.

为了创建我们的DOM节点(又名React元素)的对象表示,我们可以使用React的createElement方法。

const element = React.createElement(   'div',   {id: 'login-btn'},   'Login')

createElement takes in three arguments:

createElement接受三个参数:

  1. a tag name string (div, span, etc.)

    标签名称字符串(div,span等)
  2. any attributes you want the element to have

    您希望元素具有的任何属性
  3. contents or the children of the element — in this case the text “Login”.

    元素的内容或子元素-在这种情况下为“登录”文本。

The createElement invocation above is going to return an object with this shape:

上面的createElement调用将返回具有以下形状的对象:

{   type: 'div',   props: {     children: 'Login',     id: 'login-btn'   } }

And when it’s rendered to the DOM (using ReactDOM.render), we’ll have a new DOM node that looks like this:

当将其渲染到DOM时(使用ReactDOM.render),我们将拥有一个新的DOM节点,如下所示:

<div id='login-btn'>Login</div>

So far, so good. What’s interesting about learning React is that typically the first thing you’re taught is components. “Components are the building blocks of React.”

到目前为止,一切都很好。 学习React的有趣之处在于,通常您首先要学习的是组件。 “组件是React的基石。”

Notice, however, that we started this post with elements. The reason for this is because once you understand elements, understanding components is a smooth transition.

但是请注意,我们是从元素开始的。 这样做的原因是,一旦您理解了元素,理解组件就是一个平稳的过渡。

A component is a function or a Class which optionally accepts input and returns a React element.

组件是可以选择接受输入并返回React元素的函数或类。

function Button ({ onLogin }) {   return React.createElement(     'div',     {id: 'login-btn', onClick: onLogin},     'Login'   )}

By definition, we have a Button component which accepts an onLogin input and returns a React element. One thing to note is that our Button component receives an onLogin method as its prop. To pass that along to our object representation of the DOM, we pass it along as the second argument to createElement, just as we did our id attribute.

根据定义,我们有一个Button组件,它接受一个onLogin输入并返回一个React元素。 需要注意的一件事是,我们的Button组件接收一个onLogin方法作为其支持。 要将其传递给我们的DOM对象表示,我们将其作为createElement的第二个参数传递,就像我们的id属性一样。

Let’s go deeper.

让我们更深入。

Up until this point we’ve only covered creating React elements with the “type” property of native HTML elements (“span”, “div”, etc), but you can also pass in other React components to the first argument of createElement.

到目前为止,我们仅介绍了使用本机HTML元素(“ span”,“ div”等)的“ type”属性创建React元素的方法,但是您也可以将其他React组件传递给createElement的第一个参数。

const element = React.createElement(  User,   {name: 'Tyler McGinnis'},  null )

However, unlike with an HTML tag name, if React sees a class or a function as the first argument, it will then check to see what element it renders, given the corresponding props. React will continue to do this until there are no more createElement invocations which have a class or a function as their first argument. Let’s take a look at this in action.

但是,与HTML标签名称不同的是,如果React将类或函数作为第一个参数,它将在给定相应道具的情况下检查其呈现的元素。 React将继续执行此操作,直到不再有将类或函数作为其第一个参数的createElement调用为止。 让我们看看实际情况。

function Button ({ addFriend }) {  return React.createElement(    "button",     { onClick: addFriend },     "Add Friend"   ) }
function User({ name, addFriend }) {   return React.createElement(    "div",     null,    React.createElement( "p", null, name ),    React.createElement(Button, { addFriend })  ) }

Above we have two components. A Button and a User. User’s object representation of the DOM will be a “div” with two children, a “p” which wraps the user’s name and a Button component. Now let’s swap out the createElement invocations with what they return,

上面我们有两个部分。 一个按钮和一个用户。 DOM的用户对象表示形式将是带有两个子元素的“ div”,其中包含用户名的“ p”和一个Button组件。 现在,让我们将createElement调用与返回的内容交换出去,

function Button ({ addFriend }) {   return {     type: 'button',     props: {       onClick: addFriend,       children: 'Add Friend'     }   } }
function User ({ name, addFriend }) {   return {     type: 'div',     props: {       children: [{         type: 'p',        props: { children: name }       },       {        type: Button,        props: { addFriend }       }]    }  }}

You’ll notice in the above code we have four different type properties, “button”, “div”, “p”, and Button. When React sees an element with a function or class type (like our “type: Button” above), it will then consult with that component to know which element it returns, given the corresponding props.

您会在上面的代码中注意到我们有四个不同的类型属性,即“按钮”,“ div”,“ p”和“按钮”。 当React看到一个具有函数或类类型的元素(例如上面的“type: Button” )时,它会与该组件进行协商以知道它返回了哪个元素,并给出了相应的道具。

With that in mind, at the end of this process, React has a full object representation of the DOM tree. In our example, that will look like this:

考虑到这一点,在此过程结束时,React具有DOM树的完整对象表示形式。 在我们的示例中,将如下所示:

{  type: 'div',   props: {    children: [{      type: 'p',      props: { children: 'Tyler McGinnis' }    },     {       type: 'button',       props: {         onClick: addFriend,         children: 'Add Friend'      }     }]   } }

This whole process is called reconciliation in React and it’s triggered every time setState or ReactDOM.render are called.

这整个过程在React中称为对帐,每次调用setStateReactDOM.render都会触发。

So now let’s again take a look at our initial question that sparked this blog post:

现在,让我们再次看一下引发此博客文章的最初问题:

At this point we have all the knowledge we need to answer this question, except for one important piece.

至此,我们已经掌握了回答这一问题所需的全部知识,但其中一项重要内容除外。

Odds are if you’ve been using React for any amount of time, you don’t use React.createElement to create your object representations of the DOM. Instead, you probably use JSX.

奇怪的是,如果您已经使用React一段时间,那么就不要使用React.createElement来创建DOM的对象表示形式。 相反,您可能使用JSX。

Earlier I wrote: “The primary reason for the confusion is that there’s an often un-talked about abstraction layer between JSX and what’s actually going on in React land.” This abstraction layer is that JSX is always going to get transpiled to React.createElement invocations, typically via Babel.

早些时候我写道:“造成混淆的主要原因是,JSX与React领域实际发生的事情之间经常没有谈论抽象层。” 这个抽象层是JSX通常总是 通过Babel 转换为 React.createElement 调用

Looking at our earlier example, this code:

看我们前面的例子,这段代码:

function Button ({ addFriend }) {  return React.createElement(    "button",    { onClick: addFriend },    "Add Friend"    )}
function User({ name, addFriend }) {   return React.createElement(    "div",    null,    React.createElement( "p", null, name),    React.createElement(Button, { addFriend })  )}

is the result of this JSX being transpiled.

是此JSX被编译的结果。

function Button ({ addFriend }) {   return (     <button onClick={addFriend}>Add Friend</button>   )}
function User ({ name, addFriend }) {  return (     <div>     <p>{name}</p>     <Button addFriend={addFriend}/>    </div>  )}

So finally, what do we call it when we write out our component like this, <Icon/>?

所以最后,当我们写出这样的组件<Ico n />时,我们怎么称呼它?

We can call it “creating an element” because after the JSX is transpiled, that’s exactly what’s happening.

我们可以称其为“创建元素”,因为在JSX编译之后,这就是正在发生的事情。

React.createElement(Icon, null)

All of these examples, are “creating an React element”

所有这些示例都是“创建React元素”

React.createElement(  'div',   className: 'container',   'Hello!')
<div className='container'>Hello!</div&gt; <Hello />

Thanks for reading! For more on this subject, read React Components, Instances, and Elements by Dan Abramov.

谢谢阅读! 有关此主题的更多信息,请阅读Dan Abramov的React组件,实例和元素 。

Follow Tyler McGinnis on Twitter ⚛️Originally published at tylermcginnis.com.

在Twitter上关注Tyler McGinnis⚛️ 最初发布于tylermcginnis.com 。

翻译自: https://www.freecodecamp.org/news/react-elements-vs-react-components-fdc776705880/

react 组件引用组件

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/396071.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

appium 环境搭建(不推荐安装此版本appium,推荐安装appium desktop)

一&#xff1a;安装node.js 1、双击这个软件 2、一键安装&#xff0c;全都下一步&#xff0c;不要私自更改安装路径 3、打开cmd&#xff0c;输入npm&#xff0c;出现如下截图表示成功 二&#xff1a;安装appium 1、双击appium-installer.exe 2、一键安装&#xff0c;全都下一步…

二级c语言上机题库及解析,2013年计算机二级C语言上机题库及答案解析(3)

填空题给定程序中&#xff0c;函数fun的功能是:在形参ss所指字符串数组中&#xff0c;查找含有形参substr所指子串的所有字符串并输出&#xff0c;若没找到则输出相应信息。ss所指字符串数组中共有N个字符串&#xff0c;且串长小于M。程序中库函数strstr(s1, s2)的功能是在 s1串…

js 数组遍历符合条件跳出循环体_C++模拟面试:从数组“紧凑”操作说开来

面试官自来也去掉一个字符串中的空格。假设用C语言来解答&#xff0c;字符串是char数组。O(n)时间复杂度实现不难&#xff0c;比如额外申请一个新数组&#xff0c;然后遍历一遍字符串&#xff0c;将符合条件的字符存储到新数组中&#xff0c;实现起来很简单。但这显然不能让面试…

项目NABCD的分析

N&#xff1a;你的创意解决了用户的什么需求 本项目解决了在校大学生和社会工程人士在计算一些工程测量中的需求&#xff0c; 可以通过自己提供的一些测得的已知数据来推算出自己想要的数据结果&#xff0c; 比用户自己手动计算更有效更快更节省时间 A&#xff1a;有什么招数来…

git 命令git 地址_这是我上周使用的所有Git命令及其作用。

git 命令git 地址by Sam Corcos由Sam Corcos 这是我上周使用的所有Git命令及其作用。 (Here are all the Git commands I used last week, and what they do.) Like most newbies, I started out searching StackOverflow for Git commands, then copy-pasting answers, witho…

两个队列实现一个栈思路c语言,两个栈实现队列功能C语言实现能运行!

#include#includetypedef struct sq{char *ps;int top;int Maxsize;}stack;void initstack(stack *s,int ms){s->ps(char*)malloc(ms*sizeof(char));s->top-1;s->Maxsizems;};void push(stack *s,char val){if(s->tops->Maxsize-1){printf("栈已满\n"…

基本入门程序编写格式和注意事项

在安装好JDK后联系程序的基本写法。1、先创建记事本&#xff0c;如果有超级记事本如:notepad、ultraedit、editplus等更好。重命名把记事本后面的后缀名改为.java 但是值得注意的是要看看自己创建的记事本文档是否是隐藏后缀名的。要是有设置隐藏的就取消隐藏&#xff0c;以免混…

.dll文件存在但是不显示_一招巧妙解决U盘内文件明明存在,打开U盘而内容却不显示的问题...

大家可能都遇到过这种情况&#xff0c;就是说U盘中明明有文件&#xff0c;但是插在电脑上就是什么文件都没有&#xff0c;一片空白&#xff0c;这样的问题对于那些对文件很重要且仅保存了1份的人来说是很.kongbu.&#xff0c;因为U盘中的内容都是命根子。给大家介绍绝对有用的解…

《java入门第一季》之面向对象(包概述)

由于eclipse等ide的强大功能&#xff0c;使得建包&#xff0c;导包用一些快捷键就能完成。这里对包的概念做稍微的叙述&#xff0c;了解即可&#xff1a; 分包后使得项目更加清晰&#xff0c;提高代码维护性。 包&#xff1a; A:其实就是文件夹 B:作用 …

Vue 框架-05-动态绑定 css 样式

Vue 框架-05-动态绑定 css 样式 今天的小实例是关于 Vue 框架动态绑定 css 样式&#xff0c;这也是非常常用的一个部分 首先说一下 动态绑定&#xff0c;相对的大家都知道静态绑定&#xff0c;静态绑定的话&#xff0c;直接加 class“”就可以了&#xff0c;使用 Vue 呢之前也介…

ember.js_如何设置基本的Ember.js应用

ember.jsby Tracy Lee | ladyleet特雷西李(Tracy Lee)| Ladyleet 如何设置基本的Ember.js应用 (How to set up a Basic Ember.js app) So, you want to test out Ember, eh? This article will walk through building a basic app.所以&#xff0c;您想测试Ember&#xff0c;…

分数转小数C语言,这是把小数转换成分数的程序,可是输入0.6666无限循环

该楼层疑似违规已被系统折叠 隐藏此楼查看此楼#include int main(){double a;scanf("%lf", &a);输入小数int b, c 0, d 0;double b1 a;do{b1 *10;b (int)b1;printf("%d\n", b);if(b%10!0){c;if(d>0){c d;d 0;}}else{d;}}while(d<5);printf("…

arm处理器的历史及现状

1 arm处理器的发展历史 arm1 arm2 arm3 arm6 arm7 arm9 arm11 arm cortex 2 arm处理器现状 arm cortex A a即application&#xff0c;即应用处理器&#xff0c;主要用在智能手机、平板电脑和服务器上。 arm cortex M m即mcu&#xff0c;即单片机上的处理器&#xff0c;它的特点…

Linq常用List操作总结,ForEach、分页、交并集、去重、SelectMany等

1 /*2 以下围绕Person类实现&#xff0c;Person类只有Name和Age两个属性3 一.List<T>排序4 1.1 List<T>提供了很多排序方法&#xff0c;sort(),Orderby(),OrderByDescending().5 */6 7 lstPerson lstPerson.OrderByDescending(x>x.Name).ToList(); //降序8 ls…

bool查询原理 es_ES系列之原理copy_to用好了这么香

写在前面Elasticsearch(以下简称ES)有个copy_to的功能&#xff0c;之前在一个项目中用到&#xff0c;感觉像是发现了一个神器。这个东西并不是像有些人说的是个语法糖。它用好了不但能提高检索的效率&#xff0c;还可以简化查询语句。基本用法介绍直接上示例。先看看mapping&am…

加密算法—MD5、RSA、DES

最近因为要做一个加密的功能&#xff0c;简单了解了一下加密算法&#xff0c;现在比较常用的有三个加密算法MD5加密算法、RSA加密算法、DES加密算法。 MD5加密算法 定义&#xff1a;MD5算法是将任意长度的“字节串”变换成一个128bit的大整数&#xff0c;并且它是一个不可逆的字…

随机加密_随机艺术和加密圣诞树

随机加密When I first learned how to code, one of my first tasks was setting up an SSH key so I could use encryption to securely connect to my friend’s Linux server.当我第一次学习如何编码时&#xff0c;我的第一个任务是设置SSH密钥&#xff0c;以便可以使用加密…

用c语言编写一个2048 游戏,求c语言编写的2048游戏代码,尽量功能完善一些

正在编写中&#xff0c;请稍后&#xff01;追答 : 代码来了&#xff01;有点急&#xff0c;没做界面。追答 : 2048_launcher。c&#xff1a;#include#include#includevoid main(){printf("正在启动中&#xff0c;请稍后&#xff01;");Sleep(1000);system("bin\…

MySQL之数据库对象查看工具mysqlshow

mysqlshow&#xff1a;数据库对象查看工具&#xff0c;用来快速查找存在哪些数据库、数据库中的表、表中的列或索引。选项&#xff1a;--count 显示数据库和表的统计信息-k 显示指定的表中的索引-i 显示表的状态信息不带任何参数显示所有数据库[rootwww mys…

软件工程分组

电子零售系统 陈仔祥 孟拓 陈庚 汪力 郭澳林 崔祥岑 刘校 肖宇 武清 胡圣阳转载于:https://www.cnblogs.com/2231c/p/9960751.html