Reputation: 1959
For example: codepen
var InputBox = React.createClass({
render: function() {
return (
<input className="mainInput" value='Some something'></input>
)
}
});
Upvotes: 155
Views: 124917
Reputation: 5374
const handleFocus = (event) => event.target.select();
const Input = (props) => <input type="text" value="Some something" onFocus={handleFocus} />
class Input extends React.Component {
handleFocus = (event) => event.target.select();
render() {
return (
<input type="text" value="Some something" onFocus={this.handleFocus} />
);
}
}
React.createClass({
handleFocus: function(event) {
event.target.select();
},
render: function() {
return (
<input type="text" value="Some something" onFocus={this.handleFocus} />
);
},
})
Upvotes: 300
Reputation: 3661
let's add the simplest based on @dschu's answer:
...
<input type='text' value='Some something' onFocus={e => e.target.select()} />
...
Upvotes: 14
Reputation: 717
Another Way Functional Component with useRefHook:
const inputEl = useRef(null);
function handleFocus() {
inputEl.current.select();
}
<input
type="number"
value={quantity}
ref={inputEl}
onChange={e => setQuantityHandler(e.target.value)}
onFocus={handleFocus}
/>
Upvotes: 11
Reputation: 11
var React = require('react');
var Select = React.createClass({
handleFocus: function(event) {
event.target.select()
},
render: function() {
<input type="text" onFocus={this.handleFocus} value={'all of this stuff'} />
}
});
module.exports = Select;
Auto select all content in a input for a react class. The onFocus attribute on a input tag will call a function. OnFocus function has a parameter called event generated automatically. Like show above event.target.select() will set all the content of a input tag.
Upvotes: 1
Reputation: 8376
In my case I wanted to select the text from the beginning after the input appeared in the modal:
componentDidMount: function() {
this.refs.copy.select();
},
<input ref='copy'
Upvotes: 2
Reputation: 1959
Thanks, I appreciate it. I did it so:
var input = self.refs.value.getDOMNode();
input.focus();
input.setSelectionRange(0, input.value.length);
Upvotes: 6
Reputation: 150
var InputBox = React.createClass({
getInitialState(){
return {
text: ''
};
},
render: function () {
return (
<input
ref="input"
className="mainInput"
placeholder='Text'
value={this.state.text}
onChange={(e)=>{this.setState({text:e.target.value});}}
onFocus={()=>{this.refs.input.select()}}
/>
)
}
});
You have to set ref on the input and when focused you have to use select().
Upvotes: 5