嗨!
我的反应代码有问题。我的任务是从iTunes API调用,该操作由fetch完成,然后处理数据。但是我无法将其另存为变量,以便以后可以传递。
import React, { Component } from 'react';
class SearchField extends Component{
constructor(props) {
super(props);
this.state = {value: ''};
this.handleChange = this.handleChange.bind(this);
this.handleSubmit = this.handleSubmit.bind(this);
}
handleChange = (event) => {
this.setState({value: event.target.value});
}
handleSubmit = (event) => {
event.preventDefault();
fetch(`https://itunes.apple.com/search?media=music&term=${this.state.value.toLowerCase()}`)
.then((resp) => resp.json())
.then(searchRes => searchRes.results[0].artistName)
.catch(err => console.log(err));
}
render() {
return(
<section className="hero is-primary">
<div className="hero-body">
<div className="container">
<form onSubmit={this.handleSubmit}>
<input className="input is-primary" type="text" value={this.state.value} onChange={this.handleChange} placeholder="Search for artist" />
<input className="button is-info" type="submit" value="Search" />
</form>
</div>
</div>
</section>
)
}
}
export default SearchField;
我以后必须使用提取的数据,我只需要先输入艺术家的姓名即可。 如果我记录值(searchRes.results [0] .artistName,我得到正确的值,但是如果我想保存它以备后用,我只会得到空的console.log。 我已经尝试了几种方法,但从未获得结果。
请帮帮我。
答案 0 :(得分:1)
请记住,React中的数据流是单向。如果您想在应用程序周围共享数据,则搜索组件不应是获取数据的组件。那应该留给父组件(也许是App)。该组件应具有处理提取请求的功能,然后您可以将对该函数的 reference 向下传递给搜索组件,以在单击按钮时调用它。然后,一旦加载了该数据,父(App)组件便可以将所有相关数据向下传递给子组件。
以下是基于您现有代码的快速模型:
class Search extends {
constructor(props) {
super(props);
this.state = { url: '' };
this.handleKey = this.handleKey.bind(this);
}
handleKey(e) {
const url = e.target.value;
this.setState({ url });
}
render() {
const { url } = this.state;
// grab the function passed down from App
const { fetchData } = this.props;
return (
<input onKeyUp={this.handleKey} value={url} />
// Call that function with the url when the button is clicked
<button onClick={() => fetchData(url)}>Click</button>
)
}
}
class App extends Component {
constructor(props) {
super(props);
this.state = { data: [] };
this.fetchData = this.fetchData.bind(this);
}
// App contains the fetch method
fetchData(url) {
fetch(url)
.then(res => res.json())
// Update the App state with the new data
.then(data => this.setState({ data });
}
render() {
const { data } = this.state;
// Sanity check - if the state is still empty of data, present
// a loading icon or something
if (!data.length) return <Spinner />
// otherwise return the rest of the app components
// passing in the fetch method as a prop for the search component
return (
<OtherComponent data={data} />
<Search fetchData={this.fetchData} />
)
}
}
答案 1 :(得分:0)
请指明您的意思
但是如果我想保存它供以后使用,我只会得到空的console.log返回
我认为处理问题的正确方法是将回调函数传递给组件的props,只要您按下search并找到搜索结果,就会调用该函数,例如:https://codesandbox.io/s/xpq171n1vz
编辑:请注意,虽然此答案已被接受并且是解决您的问题的一种方法,但是Andy的答案包含有关如何实际构造组件的扎实而详尽的建议。