-
Notifications
You must be signed in to change notification settings - Fork 0
/
FunctionalComponent.js
88 lines (67 loc) · 2.22 KB
/
FunctionalComponent.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
// En React, puede pasar accesorios o propiedades a componentes secundarios.
// Puede pasar Welcomeuna userpropiedad escribiendo
<App>
<Welcome user='Mark' />
</App>
// Como Welcomees un componente funcional sin estado, tiene acceso a este valor de la siguiente manera
const Welcome = (props) => <h1>Hello, {props.user}!</h1>
// . Puede acceder al valor del argumento en el cuerpo de la función.
// Con los componentes de clase, verá que esto es un poco diferente.
// Example :
const CurrentDate = (props) => {
return (
<div>
{ /* change code below this line */ }
<p>The current date is: {props.date}</p>
{ /* change code above this line */ }
</div>
);
};
class Calendar extends React.Component {
constructor(props) {
super(props);
}
render() {
return (
<div>
<h3>What date is it?</h3>
{ /* change code below this line */ }
<CurrentDate date={Date()} />
{ /* change code above this line */ }
</div>
);
}
};
// pasar una matriz como Props
// Para pasar una matriz a un elemento JSX, debe tratarse como JavaScript y envolverse entre llaves.
<ParentComponent>
<ChildComponent colors={["green", "blue", "red"]} />
</ParentComponent>
// El componente hijo tiene acceso a la propiedad de matriz colors
// Métodos de matriz como los que join()se pueden usar al acceder a la propiedad.
const ChildComponent = (props) => <p>{props.colors.join(', ')}</p>
// Esto unirá todos los colorselementos de la matriz en una cadena separada por comas y producirá: <p>green, blue, red</p>
// Example :
const List = (props) => {
{ /* change code below this line */ }
return <p>{props.tasks.join(', ')}</p>;
{ /* change code above this line */ }
};
class ToDo extends React.Component {
constructor(props) {
super(props);
}
render() {
return (
<div>
<h1>To Do Lists</h1>
<h2>Today</h2>
{ /* change code below this line */ }
<List tasks={["Walk", "Cook", "Bake"]} />
<h2>Tomorrow</h2>
{ /* change code above this line */ }
<List tasks={["Study", "Code", "Eat"]} />
</div>
);
}
};