You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
Copy file name to clipboardexpand all lines: content/docs/components-and-props.md
+51-48
Original file line number
Diff line number
Diff line change
@@ -16,23 +16,23 @@ prev: rendering-elements.html
16
16
next: state-and-lifecycle.html
17
17
---
18
18
19
-
Components let you split the UI into independent, reusable pieces, and think about each piece in isolation. This page provides an introduction to the idea of components. You can find a [detailed component API reference here](/docs/react-component.html).
19
+
컴포넌트를 통해 UI를 재사용 가능한 개별적인 여러 조각으로 나누고, 각 조각을 개별적으로 살펴볼 수 있습니다. 이 페이지에서는 컴포넌트의 개념을 소개합니다. [자세한 컴포넌트 API 레퍼런스는 여기](/docs/react-component.html)에서 확인할 수 있습니다.
20
20
21
-
Conceptually, components are like JavaScript functions. They accept arbitrary inputs (called "props") and return React elements describing what should appear on the screen.
21
+
개념적으로 컴포넌트는 JavaScript 함수와 유사합니다. "props"라고 하는 임의의 입력을 받은 후, 화면에 어떻게 표시되는지를 기술하는 React 엘리먼트를 반환합니다.
22
22
23
-
## Function and Class Components {#function-and-class-components}
23
+
## 함수 컴포넌트와 클래스 컴포넌트 {#function-and-class-components}
24
24
25
-
The simplest way to define a component is to write a JavaScript function:
25
+
컴포넌트를 정의하는 가장 간단한 방법은 JavaScript 함수를 작성하는 것입니다.
26
26
27
27
```js
28
28
functionWelcome(props) {
29
29
return<h1>Hello, {props.name}</h1>;
30
30
}
31
31
```
32
32
33
-
This function is a valid React component because it accepts a single "props" (which stands for properties) object argument with data and returns a React element. We call such components "function components" because they are literally JavaScript functions.
33
+
이 함수는 데이터를 가진 하나의 "props" (props는 속성을 나타내는 데이터입니다) 객체 인자를 받은 후 React 엘리먼트를 반환하므로 유효한 React 컴포넌트입니다. 이러한 컴포넌트는 JavaScript 함수이기 때문에 말 그대로 "함수 컴포넌트"라고 호칭합니다.
34
34
35
-
You can also use an [ES6 class](https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Classes) to define a component:
35
+
또한 [ES6 class](https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Classes)를 사용하여 컴포넌트를 정의할 수 있습니다.
36
36
37
37
```js
38
38
classWelcomeextendsReact.Component {
@@ -42,27 +42,27 @@ class Welcome extends React.Component {
42
42
}
43
43
```
44
44
45
-
The above two components are equivalent from React's point of view.
45
+
React의 관점에서 볼 때 위 두 가지 유형의 컴포넌트는 동일합니다.
46
46
47
-
Classes have some additional features that we will discuss in the [next sections](/docs/state-and-lifecycle.html). Until then, we will use function components for their conciseness.
47
+
class는 몇 가지 추가 기능이 있으며 이에 대해서는 [다음 장](/docs/state-and-lifecycle.html)에서 설명합니다. 그때까지는 간결성을 위해 함수 컴포넌트를 사용하겠습니다.
48
48
49
-
## Rendering a Component {#rendering-a-component}
49
+
## 컴포넌트 렌더링 {#rendering-a-component}
50
50
51
-
Previously, we only encountered React elements that represent DOM tags:
51
+
이전까지는 React 엘리먼트를 DOM 태그로 나타냈습니다.
52
52
53
53
```js
54
54
constelement=<div />;
55
55
```
56
56
57
-
However, elements can also represent user-defined components:
57
+
React 엘리먼트는 사용자 정의 컴포넌트로도 나타낼 수 있습니다.
58
58
59
59
```js
60
60
constelement=<Welcome name="Sara"/>;
61
61
```
62
62
63
-
When React sees an element representing a user-defined component, it passes JSX attributes to this component as a single object. We call this object "props".
63
+
React가 사용자 정의 컴포넌트로 작성한 엘리먼트를 발견하면 JSX 어트리뷰트를 해당 컴포넌트에 단일 객체로 전달합니다. 이 객체를 "props"라고 합니다.
64
64
65
-
For example, this code renders "Hello, Sara" on the page:
2.React는 `{name: 'Sara'}`를 props로 하여 `Welcome` 컴포넌트를 호출합니다.
85
+
3.`Welcome`컴포넌트는 결과적으로 `<h1>Hello, Sara</h1>`엘리먼트를 반환합니다.
86
+
4. React DOM은 `<h1>Hello, Sara</h1>` 엘리먼트와 일치하도록 DOM을 효율적으로 업데이트합니다.
87
87
88
-
>**Note:** Always start component names with a capital letter.
88
+
89
+
90
+
>**주의: 컴포넌트의 이름은 항상 대문자로 시작합니다.**
89
91
>
90
-
>React treats components starting with lowercase letters as DOM tags. For example,`<div />` represents an HTML div tag, but `<Welcome />` represents a component and requires `Welcome` to be in scope.
92
+
>React는 소문자로 시작하는 컴포넌트를 DOM 태그로 처리합니다. 예를 들어`<div />`는 HTML div 태그를 나타내지만, `<Welcome />`은 컴포넌트를 나타내며 범위 안에 `Welcome`이 있어야 합니다.
91
93
>
92
-
>To learn more about the reasoning behind this convention, please read [JSX In Depth](/docs/jsx-in-depth.html#user-defined-components-must-be-capitalized).
94
+
>이 규칙에 대한 자세한 내용은 [여기](/docs/jsx-in-depth.html#user-defined-components-must-be-capitalized)에서 확인할 수 있습니다.
95
+
93
96
94
-
## Composing Components {#composing-components}
97
+
## 컴포넌트 합성 {#composing-components}
95
98
96
-
Components can refer to other components in their output. This lets us use the same component abstraction for any level of detail. A button, a form, a dialog, a screen: in React apps, all those are commonly expressed as components.
99
+
컴포넌트는 자신의 출력에 다른 컴포넌트를 참조할 수 있습니다. 이는 모든 세부 단계에서 동일한 추상 컴포넌트를 사용할 수 있음을 의미합니다. React 앱에서는 버튼, 폼, 다이얼로그, 화면 등의 모든 것들이 흔히 컴포넌트로 표현됩니다.
97
100
98
-
For example, we can create an`App`component that renders `Welcome` many times:
Typically, new React apps have a single `App`component at the very top. However, if you integrate React into an existing app, you might start bottom-up with a small component like `Button` and gradually work your way to the top of the view hierarchy.
126
+
일반적으로 새 React 앱은 최상위에 단일 `App`컴포넌트를 가지고 있습니다. 하지만 기존 앱에 React를 통합하는 경우에는 `Button`과 같은 작은 컴포넌트부터 시작해서 뷰 계층의 상단으로 올라가면서 점진적으로 작업해야 할 수 있습니다.
124
127
125
-
## Extracting Components {#extracting-components}
128
+
## 컴포넌트 추출 {#extracting-components}
126
129
127
-
Don't be afraid to split components into smaller components.
It accepts`author` (an object), `text` (a string), and`date` (a date) as props, and describes a comment on a social media website.
160
+
이 컴포넌트는`author`(객체), `text`(문자열) 및`date`(날짜)를 props로 받은 후 소셜 미디어 웹 사이트의 코멘트를 나타냅니다.
158
161
159
-
This component can be tricky to change because of all the nesting, and it is also hard to reuse individual parts of it. Let's extract a few components from it.
162
+
이 컴포넌트는 구성요소들이 모두 중첩 구조로 이루어져 있어서 변경하기 어려울 수 있으며, 각 구성요소를 개별적으로 재사용하기도 힘듭니다. 이 컴포넌트에서 몇 가지 컴포넌트를 추출하겠습니다.
160
163
161
-
First, we will extract `Avatar`:
164
+
먼저 `Avatar`를 추출하겠습니다.
162
165
163
166
```js{3-6}
164
167
function Avatar(props) {
@@ -171,11 +174,11 @@ function Avatar(props) {
171
174
}
172
175
```
173
176
174
-
The `Avatar`doesn't need to know that it is being rendered inside a `Comment`. This is why we have given its prop a more generic name: `user` rather than `author`.
177
+
`Avatar`는 자신이 `Comment` 내에서 렌더링 된다는 것을 알 필요가 없습니다. 따라서 props의 이름을 `author`에서 더욱 일반화된 `user`로 변경하였습니다.
175
178
176
-
We recommend naming props from the component's own point of view rather than the context in which it is being used.
179
+
props의 이름은 사용될 context가 아닌 컴포넌트 자체의 관점에서 짓는 것을 권장합니다.
177
180
178
-
We can now simplify `Comment`a tiny bit:
181
+
이제 `Comment`가 살짝 단순해졌습니다.
179
182
180
183
```js{5}
181
184
function Comment(props) {
@@ -198,7 +201,7 @@ function Comment(props) {
198
201
}
199
202
```
200
203
201
-
Next, we will extract a `UserInfo` component that renders an `Avatar` next to the user's name:
204
+
다음으로 `Avatar` 옆에 사용자의 이름을 렌더링하는 `UserInfo` 컴포넌트를 추출하겠습니다.
Extracting components might seem like grunt work at first, but having a palette of reusable components pays off in larger apps. A good rule of thumb is that if a part of your UI is used several times (`Button`, `Panel`, `Avatar`), or is complex enough on its own (`App`, `FeedStory`, `Comment`), it is a good candidate to be a reusable component.
239
+
처음에는 컴포넌트를 추출하는 작업이 지루해 보일 수 있습니다. 하지만 재사용 가능한 컴포넌트를 만들어 놓는 것은 더 큰 앱에서 작업할 때 두각을 나타냅니다. UI 일부가 여러 번 사용되거나 (`Button`, `Panel`, `Avatar`), UI 일부가 자체적으로 복잡한 (`App`, `FeedStory`, `Comment`) 경우에는 재사용 가능한 컴포넌트로 만드는 것이 좋습니다.
237
240
238
-
## Props are Read-Only {#props-are-read-only}
241
+
## props는 읽기 전용입니다. {#props-are-read-only}
239
242
240
-
Whether you declare a component [as a function or a class](#function-and-class-components), it must never modify its own props. Consider this `sum`function:
243
+
함수 컴포넌트나 클래스 컴포넌트 모두 컴포넌트의 자체 props를 수정해서는 안 됩니다. 다음 `sum`함수를 살펴봅시다.
241
244
242
245
```js
243
246
functionsum(a, b) {
244
247
return a + b;
245
248
}
246
249
```
247
250
248
-
Such functions are called ["pure"](https://en.wikipedia.org/wiki/Pure_function) because they do not attempt to change their inputs, and always return the same result for the same inputs.
251
+
이런 함수들은 [순수 함수](https://en.wikipedia.org/wiki/Pure_function)라고 호칭합니다. 입력값을 바꾸려 하지 않고 항상 동일한 입력값에 대해 동일한 결과를 반환하기 때문입니다.
249
252
250
-
In contrast, this function is impure because it changes its own input:
253
+
반면에 다음 함수는 자신의 입력값을 변경하기 때문에 순수 함수가 아닙니다.
251
254
252
255
```js
253
256
functionwithdraw(account, amount) {
254
257
account.total-= amount;
255
258
}
256
259
```
257
260
258
-
React is pretty flexible but it has a single strict rule:
261
+
React는 매우 유연하지만 한 가지 엄격한 규칙이 있습니다.
259
262
260
-
**All React components must act like pure functions with respect to their props.**
263
+
**모든 React 컴포넌트는 자신의 props를 다룰 때 반드시 순수 함수처럼 동작해야 합니다.**
261
264
262
-
Of course, application UIs are dynamic and change over time. In the [next section](/docs/state-and-lifecycle.html), we will introduce a new concept of "state". State allows React components to change their output over time in response to user actions, network responses, and anything else, without violating this rule.
265
+
물론 애플리케이션 UI는 동적이며 시간에 따라 변합니다. [다음 장](/docs/state-and-lifecycle.html)에서는 "state"라는 새로운 개념을 소개합니다. React 컴포넌트는 state를 통해 위 규칙을 위반하지 않고 사용자 액션, 네트워크 응답 및 다른 요소에 대한 응답으로 시간에 따라 자신의 출력값을 변경할 수 있습니다.
Copy file name to clipboardexpand all lines: content/docs/context.md
+2-2
Original file line number
Diff line number
Diff line change
@@ -54,7 +54,7 @@ For example, consider a `Page` component that passes a `user` and `avatarSize` p
54
54
55
55
It might feel redundant to pass down the `user` and `avatarSize` props through many levels if in the end only the `Avatar` component really needs it. It's also annoying that whenever the `Avatar` component needs more props from the top, you have to add them at all the intermediate levels too.
56
56
57
-
One way to solve this issue **without context** is to [pass down the `Avatar` component itself](/docs/composition-vs-inheritance.html#containment) so that the intermediate components don't need to know about the `user`prop:
57
+
One way to solve this issue **without context** is to [pass down the `Avatar` component itself](/docs/composition-vs-inheritance.html#containment) so that the intermediate components don't need to know about the `user`or `avatarSize` props:
Copy file name to clipboardexpand all lines: content/docs/legacy-context.md
+2-2
Original file line number
Diff line number
Diff line change
@@ -152,11 +152,11 @@ If `contextTypes` is defined within a component, the following [lifecycle method
152
152
>
153
153
> As of React 16, `componentDidUpdate` no longer receives `prevContext`.
154
154
155
-
### Referencing Context in Stateless Function Components {#referencing-context-in-stateless-function-components}
155
+
### Referencing Context in Function Components {#referencing-context-in-stateless-function-components}
156
156
157
157
> This section documents a legacy API. See the [new API](/docs/context.html).
158
158
159
-
Stateless function components are also able to reference `context` if `contextTypes` is defined as a property of the function. The following code shows a `Button` component written as a stateless function component.
159
+
Function components are also able to reference `context` if `contextTypes` is defined as a property of the function. The following code shows a `Button` component written as a function component.
0 commit comments