EN
React - get value of an input element
0 points
In this article, we would like to show you how to get value of an input element in React.
There are two ways to get an input element value:
- using input reference current value,
- using event target value.
In this solution we use:
useState
hook - to storeusername
value as component's state,useRef
hook - to create input reference to operate on.
To get the value of an input we assign the reference using the input's ref
property. Then we can get the reference value with inputRef.current.value
and set the username
to it using setUsername
method.
Runnable example:
xxxxxxxxxx
1
// Note: Uncomment import lines while working with JSX Compiler.
2
// import React from 'react';
3
// import ReactDOM from 'react-dom';
4
5
const App = () => {
6
const [username, setUsername] = React.useState('Your username');
7
const inputRef = React.useRef();
8
9
const handleChange = () => {
10
setUsername(inputRef.current.value);
11
};
12
13
return (
14
<div>
15
<h2>{username}</h2>
16
<div>
17
<label>insert username: </label>
18
<input type="text" ref={inputRef} onChange={handleChange}></input>
19
</div>
20
</div>
21
);
22
};
23
24
const root = document.querySelector('#root');
25
ReactDOM.render(<App />, root );
In this solution, useState
always stores the current value of an input.
Runnable example:
xxxxxxxxxx
1
// Note: Uncomment import lines while working with JSX Compiler.
2
// import React from 'react';
3
// import ReactDOM from 'react-dom';
4
5
const App = () => {
6
const [username, setUsername] = React.useState('Your username');
7
8
const handleChange = (event) => {
9
setUsername(event.target.value);
10
};
11
12
return (
13
<div>
14
<h2>{username}</h2>
15
<div>
16
<label>insert username: </label>
17
<input type="text" onChange={handleChange}></input>
18
</div>
19
</div>
20
);
21
};
22
23
const root = document.querySelector('#root');
24
ReactDOM.render(<App />, root );
Note:
For more information about updating the useState check the related posts.