So I'm trying to validate my text field in javascript so that it would only have one hyphen.
I managed to make it so they cannot be side by side but that's inefficient since the user can still input the hyphen else where.
What I tried to do is this:
if (surname.indexOf("-") > 1)
{
err += "You cannot use more than one hyphen (-) for Client Surname";
}
But that did not work. I also tried >=2 still no good.
What would you suggest looking into or trying?
Thanks.
So I'm trying to validate my text field in javascript so that it would only have one hyphen.
I managed to make it so they cannot be side by side but that's inefficient since the user can still input the hyphen else where.
What I tried to do is this:
if (surname.indexOf("-") > 1)
{
err += "You cannot use more than one hyphen (-) for Client Surname";
}
But that did not work. I also tried >=2 still no good.
What would you suggest looking into or trying?
Thanks.
Share Improve this question edited Apr 7, 2012 at 18:09 SorryEh asked Apr 7, 2012 at 18:08 SorryEhSorryEh 9282 gold badges19 silver badges48 bronze badges 1-
3
indexOf
doesn't give the number of instances of hyphen. It will give you the index of the hyphen in the string. So,indexOf('-')
for the stringfoo-bar
will return you 3. – Ayush Commented Apr 7, 2012 at 18:11
5 Answers
Reset to default 4if ((surname.length - surname.replace('-', '').length) >= 2) {
err += "You cannot use more than one hyphen (-) for Client Surname";
}
Basically, take the length of the original string and pare it against the length of the string with all the hyphens removed. If the difference is 2 or more, there's more than 1 hypen.
You can use the .match() + regex to do this.
if(surname.match(/\-/g).length>1) err+='Too many hyphens!';
Nah....here is a simple solution my friend:
var str="My-Name-Is-Jhon";
var count = str.match(/-/g);
alert(count.length);
It will alert you 3.
function tooManyHyphens(str){
return str.split("-").length < 3;
}
var test1 = "Something-Something";
var test2 = "some-thing-some";
var test3 = "some";
console.log(tooManyHyphens(test1));
console.log(tooManyHyphens(test2));
console.log(tooManyHyphens(test3));
http://jsfiddle/p9rHe/1/
var hyphens = 0;
for(var i = 0; i<surname.length; i++) {
if(surname.charAt(i) == "-") hyphens++;
if(hyphens > 1) {
err += "You cannot use more than one hyphen (-) for Client Surname";
break;
}
}