I have a form input that allows a user to input text and submit it. Once the submit button is hit, I validate the input by checking if it's empty or longer than 120 characters. I also pass the input to an API that checks the grammar and will fix it automatically.
Right now, my response from Axios is there (I can console.log it), but in my database and other places it is the uncorrected versions.
import React, { Component } from "react";
import axios from "axios";
class CreateText extends Component {
constructor() {
super();
this.state = {
textInput: "",
};
}
checkGrammar = async () => {
let response = await axios({
method: 'get',
url: 'https:/an-api-endpoint/',
params: {
apiKey: '',
userId: '',
content: this.state.textInput,
format: 'json'
}
});
const { data } = await response;
// if I console log after this, I see it in my state as the correct version
this.setState({
textInput: data['corrected-content'] ? data['corrected-content'] : this.state.textInput
});
}
handleInput = event => {
this.setState({
textInput: event.target.value
});
}
handleSubmit = event => {
event.preventDefault();
this.validateInput();
if (this.state.textInput) {
// push to db and clear the text state
this.setState({
textInput: ""
});
}
else {
console.log('Failed handle submit');
}
}
validateInput = () => {
if (this.state.textInput !== "") {
if (this.state.textInput.length < 120) {
this.checkGrammar();
}
else {
console.log('Failed validate input');
return; // TODO: Error handling.
}
}
}
render() {
return (
<div className="input">
<form onSubmit={this.handleSubmit}>
<label htmlFor="textInput"></label>
<input
id="textInput"
type="text"
value={this.state.textInput}
onChange={this.handleInput}
placeholder="insert text"
/>
<button className="textButton" type="submit">Submit Text</button>
</form>
</div>
)
}
}
export default CreateText;
I try to setState
to textInput for the response using async/await, I tried other methods, but it seems when I hit the Submit/handleSubmit
, it calls out to the API, but continues and submits, then gets the corrected input. I can see it on my text input afterwards which shouldn't happen since after submitting, the state text is cleared. It leads me to believe that it gets added, cleared, then axios data comes back and fills in the state (too late.)
Am I doing something blatantly wrong here? I'm confused about the axios promise and thought I could handle it with setState and async/await.
Thanks.
textInput: data['corrected-content'] ? data['corrected-content'] : this.state.textInput
because there is no data['corrected-content'] key on the reponse. – OlivervalidateInput
needs to be an async function awaiting the result ofcheckGrammar
, andhandleSubmit
needs to be an async function awaiting the result ofvalidateInput
. The way you have it now, the line where you wrote// push to db and clear the text state
is going to be executed before the grammar checking API call is finished, which means the wrong version is going to be pushed to the DB. – shawnyates