tags:

views:

362

answers:

3
111111111 - Invalid
A121278237 - Invalid
7777777777 - Invalid

121263263 - Valid
111111112 - Valid
+2  A: 
  1. take a [0-9] regex and throw away strings that not only contain digits.
  2. take the first character, and use it as a regex [C]+ to see if the string contains any other digits.
Zed
For production code I might well prefer this approach: do the check in separate steps using very simple regular expressions. This way the code would be more readily understood by other people on the team. So +1 for this too.
Jonik
+11  A: 
^([0-9])(?!\1+$)[0-9]+$

should work. It needs a string of at least two digits to match successfully.

Explanation:

  1. Match a digit and capture it into backreference #1: ([0-9])

  2. Assert that it's impossible to match a string of any length (>1) of the same digit that was just matched, followed by the end of the string: (?!\1+$)

  3. Then match any string of digits until the end of the string: [0-9]+$

EDIT: Of course, in Java you need to escape the backslash inside a string ("\\").

Tim Pietzcker
Indeed it does work. +1
Jonik
"11".matches("^([0-9])(?!\1+$)[0-9]+$"); This returns true!
Milli
"assumes a string of at least two digits" -> "assumes a string with length of 2 or more"? I mean the regex seems to work correctly for all such strings; e.g. "A1" -> false.
Jonik
@Milli. Curious - on my machine `"11".matches("^([0-9])(?!\\1+$)[0-9]+$")` is false! Java 1.6.0_15.
Jonik
I used one '\' in the regex as how Tim specified. I should have noticed that. Thanks a bunch Jonik. And a warm thanks to Tim.
Milli
Ah, right, I didn't even notice that. IntelliJ IDEA fixed it for me automatically when pasting in the regex for testing :)
Jonik
So I was not alone.. lol
Milli
A: 

Building on Tim's answer, you eliminate the requirement of "at least two digits" by adding an or clause.

^([0-9])(?!\1+$)[0-9]+$|^[0-9]$

For example:

String regex = "^([0-9])(?!\\1+$)[0-9]+$|^[0-9]$";
boolean a = "12".matches(regex);
System.out.println("a: " + a);
boolean b = "11".matches(regex);
System.out.println("b: " + b);
boolean c = "1".matches(regex);
System.out.println("c: " + c);

returns

a: true
b: false
c: true
mmorrisson