strapi backend react code example
Example: strapi.io react
import React from 'react';
const parseJSON = resp => (resp.json ? resp.json() : resp);
const checkStatus = resp => {
if (resp.status >= 200 && resp.status < 300) {
return resp;
}
return parseJSON(resp).then(resp => {
throw resp;
});
};
const headers = {
'Content-Type': 'application/json',
};
class App extends React.Component {
constructor(props) {
super(props);
this.state = {
modifiedData: {
name: '',
description: '',
categories: [],
},
allCategories: [],
error: null,
};
}
componentDidMount = async () => {
try {
const allCategories = await fetch('http://localhost:1337/categories', {
method: 'GET',
headers: headers,
})
.then(checkStatus)
.then(parseJSON);
this.setState({ allCategories });
} catch (error) {
this.setState({ error });
}
};
handleInputChange = ({ target: { name, value } }) => {
this.setState(prev => ({
...prev,
modifiedData: {
...prev.modifiedData,
[name]: value,
},
}));
};
handleSubmit = async e => {
e.preventDefault();
try {
await fetch('http://localhost:1337/restaurants', {
method: 'POST',
headers: headers,
body: JSON.stringify(this.state.modifiedData),
})
.then(checkStatus)
.then(parseJSON);
} catch (error) {
this.setState({ error });
}
};
renderCheckbox = category => {
const {
modifiedData: { categories },
} = this.state;
const isChecked = categories.includes(category.id);
const handleChange = () => {
if (!categories.includes(category.id)) {
this.handleInputChange({
target: { name: 'categories', value: categories.concat(category.id) },
});
} else {
this.handleInputChange({
target: {
name: 'categories',
value: categories.filter(v => v !== category.id),
},
});
}
};
return (
<div key={category.id}>
<label htmlFor={category.id}>{category.name}</label>
<input
type="checkbox"
checked={isChecked}
onChange={handleChange}
name="categories"
id={category.id}
/>
</div>
);
};
render() {
const { error, allCategories, modifiedData } = this.state;
if (error) {
return <div>An error occured: {error.message}</div>;
}
return (
<div className="App">
<form onSubmit={this.handleSubmit}>
<h3>Restaurants</h3>
<br />
<label>
Name:
<input
type="text"
name="name"
onChange={this.handleInputChange}
value={modifiedData.name}
/>
</label>
<label>
Description:
<input
type="text"
name="description"
onChange={this.handleInputChange}
value={modifiedData.description}
/>
</label>
<div>
<br />
<b>Select categories</b>
{allCategories.map(this.renderCheckbox)}
</div>
<br />
<button type="submit">Submit</button>
</form>
</div>
);
}
}
export default App;