ReactJS Refs
ref
用於返回元素的引用。在大多數情況下應該避免使用Refs
,但是當我們需要進行DOM測量或向組件添加方法時,它們可能非常有用。
使用Refs
以下示例顯示如何使用ref
來清除輸入字段。 ClearInput
函數搜索具有ref = "myInput"
值的元素,重置狀態,並在點擊按鈕後添加焦點。
文件:App.jsx -
import React from 'react';
import ReactDOM from 'react-dom';
class App extends React.Component {
constructor(props) {
super(props);
this.state = {
data: ''
}
this.updateState = this.updateState.bind(this);
this.clearInput = this.clearInput.bind(this);
};
updateState(e) {
this.setState({data: e.target.value});
}
clearInput() {
this.setState({data: ''});
ReactDOM.findDOMNode(this.refs.myInput).focus();
}
render() {
return (
<div>
<input value = {this.state.data} onChange = {this.updateState}
ref = "myInput"></input>
<button onClick = {this.clearInput}>CLEAR</button>
<h4>{this.state.data}</h4>
</div>
);
}
}
export default App;
文件:main.js -
import React from 'react';
import ReactDOM from 'react-dom';
import App from './App.jsx';
ReactDOM.render(<App/>, document.getElementById('app'));
當按鈕被點擊,輸入框將被清除並處於焦點狀態。