how can i remove all characters that are not letters or 'numbers'??
I have a string:
var string = 'This - is my 4 String, and i - want remove all characters 49494 that are not letters or "numbers"';
And i want transform into this:
var string = 'This is my 4 String and i want remove all characters 49494 that are not letters or numbers'
This is possible?
Thanks!!
how can i remove all characters that are not letters or 'numbers'??
I have a string:
var string = 'This - is my 4 String, and i - want remove all characters 49494 that are not letters or "numbers"';
And i want transform into this:
var string = 'This is my 4 String and i want remove all characters 49494 that are not letters or numbers'
This is possible?
Thanks!!
Share Improve this question asked Jun 13, 2015 at 23:23 user4002542user4002542 3-
string.replace(/[^\w\s]/g, '')
– Scott Sauyet Commented Jun 13, 2015 at 23:28 - you want write just numbers in text and or numbers and letters only? or after they write you remove them? – Mohammed Moustafa Commented Jun 13, 2015 at 23:28
- numbers and letters only @MohammedMoustafa – user4002542 Commented Jun 13, 2015 at 23:33
3 Answers
Reset to default 6You can use a regex like this:
[\W_]+
The idea is to match with \W
a non word character (those characters that are not A-Z
, a-z
, 0-9
and _
) and also add explicitly _
(since underscore is considered a word character)
Working demo
var str = 's - is my 4 String, and i - want remove all characters 49494 that are not letters or "numbers"';
var result = str.replace(/[\W_]+/g, ' ');
Yes that's possible using regular expressions
string = string.replace(/[^a-z0-9]+|\s+/gmi, " ");
The way I like to do it is using a RegEx. This will select all non-letters and non-numbers and replace them with nothing or deleting them:
string = string.replace(/[^\s\dA-Z]/gi, '').replace(/ +/g, ' ');
Explanantion:
[^ NOT any of there
\s space
\d digit
A-Z letter
]