--- id: 5a24c314108439a4d4036179 title: Create a Controlled Form challengeType: 6 isRequired: false videoUrl: '' localeTitle: Crie um formulário controlado --- ## Description
O último desafio mostrou que o React pode controlar o estado interno de certos elementos como input e área de textarea , o que os torna componentes controlados. Isso se aplica também a outros elementos de formulário, incluindo o elemento de form HTML regular.
## Instructions
O componente MyForm é configurado com um form vazio com um manipulador de envio. O manipulador de envio será chamado quando o formulário for enviado. Adicionamos um botão que envia o formulário. Você pode ver que ele tem o type configurado para submit indicando que é o botão que controla o formulário. Adicione o elemento de input no form e defina seu value e os atributos onChange() como o último desafio. Você deve, em seguida, completar o handleSubmit método para que ele define a propriedade estado do componente submit ao valor de entrada atual no local de state . Nota: Você também deve chamar event.preventDefault() no manipulador de envio, para evitar o comportamento de envio de formulário padrão que atualizará a página da web. Finalmente, crie uma tag h1 após o form que renderiza o valor de submit do state do componente. Você pode então digitar o formulário e clicar no botão (ou pressionar enter), e você deverá ver sua entrada renderizada para a página.
## Tests
```yml tests: - text: MyForm deve retornar um elemento div que contém um form e uma tag h1 . O formulário deve incluir uma input e um button . testString: 'assert((() => { const mockedComponent = Enzyme.mount(React.createElement(MyForm)); return (mockedComponent.find("div").children().find("form").length === 1 && mockedComponent.find("div").children().find("h1").length === 1 && mockedComponent.find("form").children().find("input").length === 1 && mockedComponent.find("form").children().find("button").length === 1) })(), "MyForm should return a div element which contains a form and an h1 tag. The form should include an input and a button.");' - text: 'O estado de MyForm deve inicializar com input e submit propriedades, ambas definidas para seqüências vazias.' testString: 'assert(Enzyme.mount(React.createElement(MyForm)).state("input") === "" && Enzyme.mount(React.createElement(MyForm)).state("submit") === "", "The state of MyForm should initialize with input and submit properties, both set to empty strings.");' - text: Digitar no elemento de input deve atualizar a propriedade de input do estado do componente. testString: 'async () => { const waitForIt = (fn) => new Promise((resolve, reject) => setTimeout(() => resolve(fn()), 250)); const mockedComponent = Enzyme.mount(React.createElement(MyForm)); const _1 = () => { mockedComponent.setState({ input: "" }); return waitForIt(() => mockedComponent.state("input"))}; const _2 = () => { mockedComponent.find("input").simulate("change", { target: { value: "TestInput" }}); return waitForIt(() => ({ state: mockedComponent.state("input"), inputVal: mockedComponent.find("input").props().value }))}; const before = await _1(); const after = await _2(); assert(before === "" && after.state === "TestInput" && after.inputVal === "TestInput", "Typing in the input element should update the input property of the component's state."); }; ' - text: O envio do formulário deve executar o handleSubmit que deve definir a propriedade submit no estado igual à entrada atual. testString: 'async () => { const waitForIt = (fn) => new Promise((resolve, reject) => setTimeout(() => resolve(fn()), 250)); const mockedComponent = Enzyme.mount(React.createElement(MyForm)); const _1 = () => { mockedComponent.setState({ input: "" }); mockedComponent.setState({submit: ""}); mockedComponent.find("input").simulate("change", {target: {value: "SubmitInput"}}); return waitForIt(() => mockedComponent.state("submit"))}; const _2 = () => { mockedComponent.find("form").simulate("submit"); return waitForIt(() => mockedComponent.state("submit"))}; const before = await _1(); const after = await _2(); assert(before === "" && after === "SubmitInput", "Submitting the form should run handleSubmit which should set the submit property in state equal to the current input."); };' - text: O cabeçalho h1 deve renderizar o valor do campo de submit do estado do componente. testString: 'async () => { const waitForIt = (fn) => new Promise((resolve, reject) => setTimeout(() => resolve(fn()), 250)); const mockedComponent = Enzyme.mount(React.createElement(MyForm)); const _1 = () => { mockedComponent.setState({ input: "" }); mockedComponent.setState({submit: ""}); mockedComponent.find("input").simulate("change", {target: {value: "TestInput"}}); return waitForIt(() => mockedComponent.find("h1").text())}; const _2 = () => { mockedComponent.find("form").simulate("submit"); return waitForIt(() => mockedComponent.find("h1").text())}; const before = await _1(); const after = await _2(); assert(before === "" && after === "TestInput", "The h1 header should render the value of the submit field from the component's state."); }; ' ```
## Challenge Seed
```jsx class MyForm extends React.Component { constructor(props) { super(props); this.state = { input: ", submit: " }; this.handleChange = this.handleChange.bind(this); this.handleSubmit = this.handleSubmit.bind(this); } handleChange(event) { this.setState({ input: event.target.value }); } handleSubmit(event) { // change code below this line // change code above this line } render() { return (
{ /* change code below this line */ } { /* change code above this line */ }
{ /* change code below this line */ } { /* change code above this line */ }
); } }; ```
### After Test
```js console.info('after the test'); ```
## Solution
```js // solution required ```