fork download
  1. import java.util.regex.Matcher;
  2. import java.util.regex.Pattern;
  3. import java.util.Scanner;
  4.  
  5.  
  6. /**
  7.  *
  8.  * You must write a method in such a way that it can be used to validate an IP address.
  9.  * Use the following definition of an IP address:
  10.  
  11. IP address is a string in the form "A.B.C.D", where the value of A, B, C, and D may range
  12. from 0 to 255. Leading zeros are allowed.
  13.  
  14. Some valid IP address:
  15. 000.12.12.034
  16. 121.234.12.12
  17. 23.45.12.56
  18.  
  19. Some invalid IP address:
  20. 000.12.234.23.23
  21. 666.666.23.23
  22. .213.123.23.32
  23. 23.45.22.32.
  24. I.Am.not.an.ip
  25. Sample Input
  26. 000.12.12.034
  27. 121.234.12.12
  28. 23.45.12.56
  29. 00.12.123.123123.123
  30. 122.23
  31. Hello.IP
  32.  
  33. Sample Output
  34. true
  35. true
  36. true
  37. false
  38. false
  39. false
  40.  *
  41.  *
  42.  *
  43.  * */
  44. class Solution{
  45.  
  46. public static boolean isValidIP(String ip) {
  47. if (ip == null || ip.isEmpty()) {
  48. return false;
  49. }
  50.  
  51. String[] parts = ip.split("\\.");
  52. if (parts.length != 4) {
  53. return false;
  54. }
  55.  
  56. for (String part: parts) {
  57. if (!isValidSegment(part)) {
  58. return false;
  59. }
  60. }
  61. return true;
  62. }
  63.  
  64. private static boolean isValidSegment(String segment) {
  65. try {
  66. int num = Integer.parseInt(segment);
  67. if (num < 0 || num > 255) {
  68. return false;
  69. }
  70. if (segment.length() > 1 && segment.charAt(0) == '0') {
  71. return true;
  72. }
  73. return true;
  74. } catch(NumberFormatException e) {
  75. return false;
  76. }
  77.  
  78. }
  79.  
  80. public static void main(String[] args){
  81. Scanner in = new Scanner(System.in);
  82. while(in.hasNext()){
  83. String IP = in.next();
  84. System.out.println(isValidIP(IP));
  85. System.out.println("IP->"+IP);
  86. }
  87. }
  88.  
  89. }
Success #stdin #stdout 0.17s 58760KB
stdin
1.1.1.1
128.230.124.124
127.0.0.1
256.2.4.10
.4.1.8.8
stdout
true
IP->1.1.1.1
true
IP->128.230.124.124
true
IP->127.0.0.1
false
IP->256.2.4.10
false
IP->.4.1.8.8