在Java中检查字符串是否表示整数的最佳方法是什么?


214

我通常使用以下惯用法来检查String是否可以转换为整数。

public boolean isInteger( String input ) {
    try {
        Integer.parseInt( input );
        return true;
    }
    catch( Exception e ) {
        return false;
    }
}

就是我,或者这似乎有点骇人听闻?有什么更好的方法?


查看我的答案(基于CodingWithSpike 先前的答案,带有基准),以了解为什么我改变了立场并接受了Jonas Klemming对这个问题的答案。我认为大多数人会使用此原始代码,因为它实现起来更快,更易于维护,但是在提供非整数数据时,它的速度要慢几个数量级。


您对RegExp解决方案有何想法?
Akshay Pethani,

Answers:


171

如果您不担心潜在的溢出问题,该功能的执行速度将比使用快20-30倍Integer.parseInt()

public static boolean isInteger(String str) {
    if (str == null) {
        return false;
    }
    int length = str.length();
    if (length == 0) {
        return false;
    }
    int i = 0;
    if (str.charAt(0) == '-') {
        if (length == 1) {
            return false;
        }
        i = 1;
    }
    for (; i < length; i++) {
        char c = str.charAt(i);
        if (c < '0' || c > '9') {
            return false;
        }
    }
    return true;
}

50
(c <='/'|| c> =':')看起来有点奇怪。我本来会用(c <'0'|| c>'9')...在Java中<=和> =运算符是否更快?
匿名

3
为什么不使用正则表达式?返回的str.matches(“ ^-?\\ d + $”)是否与上面的代码相同。
Maglob

15
我会使用此方法或正则表达式之前的问题中的原始方法。这是性能,是实现速度和完全可维护性的原始方法。正则表达式解决方案无济于事。
比尔蜥蜴

4
我担心溢出,但是此方法可以适用于BigInts,但仍比其他方法快。如果有人想知道为什么我要花这么大的精力解决这个简单的问题,我会创建一个库来帮助解决Euler项目问题​​。
比尔蜥蜴

1
如果您担心是否可以将字符串实际解析为int或long类型,则还需要检查字符串表示的整数是否真正适合这些数据类型。
乔纳斯K

65

您已经拥有了,但是只能抓住NumberFormatException


7
是的,捕获超出您需要的更多异常被认为是不好的形式。
克里斯,

你是对的。NFE是唯一可以抛出的错误,但是要养成这种习惯仍然很不好。
比尔蜥蜴

我认为如果输入为null,则可能引发NPE,因此您的方法可能应该显式地处理该NPE,无论您采用哪种方式。
Dov Wasserman

@Dov:您是对的,应该同时明确捕获NPE和NFE。
比尔蜥蜴

这个回答应该是对这个问题的真正答案。
2012年

40

做一个快速基准测试。异常实际上并没有那么大,除非您开始弹出多个方法,并且JVM必须做大量工作才能使执行堆栈就位。保持相同的方法时,他们的表现并不差。

 public void RunTests()
 {
     String str = "1234567890";

     long startTime = System.currentTimeMillis();
     for(int i = 0; i < 100000; i++)
         IsInt_ByException(str);
     long endTime = System.currentTimeMillis();
     System.out.print("ByException: ");
     System.out.println(endTime - startTime);

     startTime = System.currentTimeMillis();
     for(int i = 0; i < 100000; i++)
         IsInt_ByRegex(str);
     endTime = System.currentTimeMillis();
     System.out.print("ByRegex: ");
     System.out.println(endTime - startTime);

     startTime = System.currentTimeMillis();
     for(int i = 0; i < 100000; i++)
         IsInt_ByJonas(str);
     endTime = System.currentTimeMillis();
     System.out.print("ByJonas: ");
     System.out.println(endTime - startTime);
 }

 private boolean IsInt_ByException(String str)
 {
     try
     {
         Integer.parseInt(str);
         return true;
     }
     catch(NumberFormatException nfe)
     {
         return false;
     }
 }

 private boolean IsInt_ByRegex(String str)
 {
     return str.matches("^-?\\d+$");
 }

 public boolean IsInt_ByJonas(String str)
 {
     if (str == null) {
             return false;
     }
     int length = str.length();
     if (length == 0) {
             return false;
     }
     int i = 0;
     if (str.charAt(0) == '-') {
             if (length == 1) {
                     return false;
             }
             i = 1;
     }
     for (; i < length; i++) {
             char c = str.charAt(i);
             if (c <= '/' || c >= ':') {
                     return false;
             }
     }
     return true;
 }

输出:

异常:31

ByRegex:453(注意:每次都重新编译模式)

乔纳斯(Jonas):16

我同意Jonas K的解决方案也是最可靠的。看起来他赢了:)


13
对这三个进行基准测试的好主意。为了对Regex和Jonas方法公平,您应该使用非整数字符串进行测试,因为这是Integer.parseInt方法将真正放慢速度的地方。
比尔蜥蜴

4
抱歉,此正则表达式测试不好。(1)你并不需要为正则表达式引擎检查^$第二次因为在matches整个字符串必须匹配正则表达式,(2)str.matches每次将要打造自己Pattern这是昂贵的。出于性能原因,我们只应在此方法外部创建一次这样的Pattern,然后在内部使用它。(3)我们也只能创建一个Matcher对象,并使用该对象reset(CharSequence)传递用户数据并返回其matches()结果。
Pshemo

因此,类似的东西private final Matcher m = Pattern.compile("-?\\d+").matcher(""); private boolean byRegex(String str) { return m.reset(str).matches(); }应该具有更好的性能。
Pshemo 2013年

@Pshemo Integer.valueOf(“ 1”)和Integer.valueOf(“ 1”)都抛出异常,因此检查^和$似乎合理。
cquezel

1
@cquezel是的,但它不是必需的,因为matches是增加^$含蓄。看看结果" 123".matches("\\d+")"123".matches("\\d+")。您将看到falsetruefalse将返回,因为字符串以空格开头,这使它无法与正则表达式完全匹配。
Pshemo

37

由于有可能人们仍然会来这里访问,并且在基准测试之后会对Regex持偏见...因此,我将提供基准测试的更新版本以及Regex的编译版本。与以前的基准测试相反,此测试表明Regex解决方案实际上一直具有良好的性能。

从蜥蜴比尔(Bill the Lizard)复制并更新为已编译版本:

private final Pattern pattern = Pattern.compile("^-?\\d+$");

public void runTests() {
    String big_int = "1234567890";
    String non_int = "1234XY7890";

    long startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
            IsInt_ByException(big_int);
    long endTime = System.currentTimeMillis();
    System.out.print("ByException - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
            IsInt_ByException(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByException - non-integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
            IsInt_ByRegex(big_int);
    endTime = System.currentTimeMillis();
    System.out.print("\nByRegex - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
            IsInt_ByRegex(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByRegex - non-integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for (int i = 0; i < 100000; i++)
            IsInt_ByCompiledRegex(big_int);
    endTime = System.currentTimeMillis();
    System.out.print("\nByCompiledRegex - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for (int i = 0; i < 100000; i++)
            IsInt_ByCompiledRegex(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByCompiledRegex - non-integer data: ");
    System.out.println(endTime - startTime);


    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
            IsInt_ByJonas(big_int);
    endTime = System.currentTimeMillis();
    System.out.print("\nByJonas - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
            IsInt_ByJonas(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByJonas - non-integer data: ");
    System.out.println(endTime - startTime);
}

private boolean IsInt_ByException(String str)
{
    try
    {
        Integer.parseInt(str);
        return true;
    }
    catch(NumberFormatException nfe)
    {
        return false;
    }
}

private boolean IsInt_ByRegex(String str)
{
    return str.matches("^-?\\d+$");
}

private boolean IsInt_ByCompiledRegex(String str) {
    return pattern.matcher(str).find();
}

public boolean IsInt_ByJonas(String str)
{
    if (str == null) {
            return false;
    }
    int length = str.length();
    if (length == 0) {
            return false;
    }
    int i = 0;
    if (str.charAt(0) == '-') {
            if (length == 1) {
                    return false;
            }
            i = 1;
    }
    for (; i < length; i++) {
            char c = str.charAt(i);
            if (c <= '/' || c >= ':') {
                    return false;
            }
    }
    return true;
}

结果:

ByException - integer data: 45
ByException - non-integer data: 465

ByRegex - integer data: 272
ByRegex - non-integer data: 131

ByCompiledRegex - integer data: 45
ByCompiledRegex - non-integer data: 26

ByJonas - integer data: 8
ByJonas - non-integer data: 2

1
ByCompiledRegex时间需要在其时间度量中包括编译正则表达式。
Martin Carney 2013年

2
@MartinCarney我修改了它并对模式编译进行了基准测试。显然,我的CPU / JIT速度更快,但如果将其插补回来,则编译时间为336
tedder42 2014年

2
需要明确的是,与所有其他行一样,当模式编译完成10万次时,会发生336(ms)。暗示它只做一次,它的时间基本上为零。
tedder42 2014年

感谢您直接在编译后的正则表达式时间设置记录。
LarsH '16

也许"^[+-]?\\d+$"会更好。
亚当

34
org.apache.commons.lang.StringUtils.isNumeric 

尽管Java的标准库确实错过了此类实用程序功能

我认为Apache Commons是每个Java程序员的“必备”

太糟糕了,它还没有移植到Java5


1
唯一的问题是溢出:SI仍然会给您+1提到commons-lang :)
javamonkey79

2
另一个问题是负数,但我也+1,因为我认为这种方法最接近一个好的解决方案。
桑德里斯

22

这部分取决于您的意思是“可以转换为整数”。

如果您的意思是“可以用Java转换为int”,那么Jonas的答案是一个很好的开始,但还不能完全完成工作。例如,它将通过9999999999999999999999999999999999。我会在方法末尾添加来自您自己问题的常规try / catch调用。

逐字符检查将有效地拒绝“根本不是整数”的情况,而使“这是整数但Java无法处理”情况被较慢的异常路由捕获。你可以做到这一点的手了,但是这将是一个很多更复杂。


17

关于正则表达式的一则评论。这里提供的每个示例都是错误的!如果要使用regexp,请不要忘记编译模式会花费很多时间。这个:

str.matches("^-?\\d+$")

还有这个:

Pattern.matches("-?\\d+", input);

导致在每个方法调用中编译模式。要正确使用它,请按照下列步骤操作:

import java.util.regex.Pattern;

/**
 * @author Rastislav Komara
 */
public class NaturalNumberChecker {
    public static final Pattern PATTERN = Pattern.compile("^\\d+$");

    boolean isNaturalNumber(CharSequence input) {
        return input != null && PATTERN.matcher(input).matches();
    }
}

5
您也可以提前创建Matcher,并使用其reset()方法将其应用于输入,从而提高性能。
艾伦·摩尔

13

有番石榴版本:

import com.google.common.primitives.Ints;

Integer intValue = Ints.tryParse(stringValue);

如果解析字符串失败,它将返回null而不是引发异常。


3
最佳答案恕我直言。使用经过良好测试的库,而不要汇总自己的解决方案。(另请参阅此处的讨论。)
Olivier Cailloux

12

我从rally25rs答案中复制了代码,并为非整数数据添加了一些测试。结果无可否认地支持Jonas Klemming发表的方法。当您拥有整数数据时,我最初发布的Exception方法的结果非常好,但是当您没有整数数据时,它们的效果最差,而RegEx解决方案的结果(我敢打赌,很多人会使用)是一贯不好。请参阅Felipe的答案以获取编译的正则表达式示例,该示例要快得多。

public void runTests()
{
    String big_int = "1234567890";
    String non_int = "1234XY7890";

    long startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
        IsInt_ByException(big_int);
    long endTime = System.currentTimeMillis();
    System.out.print("ByException - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
        IsInt_ByException(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByException - non-integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
        IsInt_ByRegex(big_int);
    endTime = System.currentTimeMillis();
    System.out.print("\nByRegex - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
        IsInt_ByRegex(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByRegex - non-integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
        IsInt_ByJonas(big_int);
    endTime = System.currentTimeMillis();
    System.out.print("\nByJonas - integer data: ");
    System.out.println(endTime - startTime);

    startTime = System.currentTimeMillis();
    for(int i = 0; i < 100000; i++)
        IsInt_ByJonas(non_int);
    endTime = System.currentTimeMillis();
    System.out.print("ByJonas - non-integer data: ");
    System.out.println(endTime - startTime);
}

private boolean IsInt_ByException(String str)
{
    try
    {
        Integer.parseInt(str);
        return true;
    }
    catch(NumberFormatException nfe)
    {
        return false;
    }
}

private boolean IsInt_ByRegex(String str)
{
    return str.matches("^-?\\d+$");
}

public boolean IsInt_ByJonas(String str)
{
    if (str == null) {
            return false;
    }
    int length = str.length();
    if (length == 0) {
            return false;
    }
    int i = 0;
    if (str.charAt(0) == '-') {
            if (length == 1) {
                    return false;
            }
            i = 1;
    }
    for (; i < length; i++) {
            char c = str.charAt(i);
            if (c <= '/' || c >= ':') {
                    return false;
            }
    }
    return true;
}

结果:

ByException - integer data: 47
ByException - non-integer data: 547

ByRegex - integer data: 390
ByRegex - non-integer data: 313

ByJonas - integer data: 0
ByJonas - non-integer data: 16

6

这是较短的,但较短的不一定更好(并且不会捕获超出范围的整数值,如danatel的注释所指出):

input.matches("^-?\\d+$");

就个人而言,由于使用辅助方法来简化实现,并且正确性胜过冗长,因此我只想使用类似您所拥有的东西(减去捕获基Exception类而不是NumberFormatException)。


1
也许\\ d {1,10}尽管不完美,但在捕获Java整数方面
还是

6

您可以使用字符串类的matchs方法。[0-9]表示它可以为所有值,+表示必须至少一个字符长,*表示可以为零或多个字符长。

boolean isNumeric = yourString.matches("[0-9]+"); // 1 or more characters long, numbers only
boolean isNumeric = yourString.matches("[0-9]*"); // 0 or more characters long, numbers only

1
铌此行的事不能匹配“10”或“-10”),其通常被包括作为有效整数
添Wintle

4

怎么样:

return Pattern.matches("-?\\d+", input);

整数9999999999999999999999999999999999怎么样?
danatel

不要忘记检查负号。
杰里米·鲁滕

您是否不需要锚定正则表达式的开头和结尾,以免传递“ aaa-1999zzz”?
蒂姆·霍兰德

2
蒂姆,当您调用matches()方法之一(字符串,模式和匹配器各有一个)时,正则表达式必须匹配整个输入,从而使锚点变得多余。要找到大多数其他正则表达式风格定义的匹配项,必须使用Matcher#find()。
艾伦·摩尔

4

这是Jonas Klemming答案的Java 8变体:

public static boolean isInteger(String str) {
    return str != null && str.length() > 0 &&
         IntStream.range(0, str.length()).allMatch(i -> i == 0 && (str.charAt(i) == '-' || str.charAt(i) == '+')
                  || Character.isDigit(str.charAt(i)));
}

测试代码:

public static void main(String[] args) throws NoSuchAlgorithmException, UnsupportedEncodingException {
    Arrays.asList("1231231", "-1232312312", "+12313123131", "qwqe123123211", "2", "0000000001111", "", "123-", "++123",
            "123-23", null, "+-123").forEach(s -> {
        System.out.printf("%15s %s%n", s, isInteger(s));
    });
}

测试代码的结果:

        1231231 true
    -1232312312 true
   +12313123131 true
  qwqe123123211 false
              2 true
  0000000001111 true
                false
           123- false
          ++123 false
         123-23 false
           null false
          +-123 false

3

您只需要检查NumberFormatException:-

 String value="123";
 try  
 {  
    int s=Integer.parseInt(any_int_val);
    // do something when integer values comes 
 }  
 catch(NumberFormatException nfe)  
 {  
          // do something when string values comes 
 }  

3

如果您的String数组包含纯整数和字符串,则下面的代码应该可用。您只需要看第一个字符。例如[“ 4”,“ 44”,“ abc”,“ 77”,“债券”]

if (Character.isDigit(string.charAt(0))) {
    //Do something with int
}


2

如果要检查字符串是否表示适合int类型的整数,则对jonas的答案进行了一些修改,以便表示大于Integer.MAX_VALUE或小于Integer.MIN_VALUE的整数的字符串现在将返回假。例如:“ 3147483647”将返回false,因为3147483647大于2147483647,同样,“-2147483649”也将返回false,因为-2147483649小于-2147483648。

public static boolean isInt(String s) {
  if(s == null) {
    return false;
  }
  s = s.trim(); //Don't get tricked by whitespaces.
  int len = s.length();
  if(len == 0) {
    return false;
  }
  //The bottom limit of an int is -2147483648 which is 11 chars long.
  //[note that the upper limit (2147483647) is only 10 chars long]
  //Thus any string with more than 11 chars, even if represents a valid integer, 
  //it won't fit in an int.
  if(len > 11) {
    return false;
  }
  char c = s.charAt(0);
  int i = 0;
  //I don't mind the plus sign, so "+13" will return true.
  if(c == '-' || c == '+') {
    //A single "+" or "-" is not a valid integer.
    if(len == 1) {
      return false;
    }
    i = 1;
  }
  //Check if all chars are digits
  for(; i < len; i++) {
    c = s.charAt(i);
    if(c < '0' || c > '9') {
      return false;
    }
  }
  //If we reached this point then we know for sure that the string has at
  //most 11 chars and that they're all digits (the first one might be a '+'
  // or '-' thought).
  //Now we just need to check, for 10 and 11 chars long strings, if the numbers
  //represented by the them don't surpass the limits.
  c = s.charAt(0);
  char l;
  String limit;
  if(len == 10 && c != '-' && c != '+') {
    limit = "2147483647";
    //Now we are going to compare each char of the string with the char in
    //the limit string that has the same index, so if the string is "ABC" and
    //the limit string is "DEF" then we are gonna compare A to D, B to E and so on.
    //c is the current string's char and l is the corresponding limit's char
    //Note that the loop only continues if c == l. Now imagine that our string
    //is "2150000000", 2 == 2 (next), 1 == 1 (next), 5 > 4 as you can see,
    //because 5 > 4 we can guarantee that the string will represent a bigger integer.
    //Similarly, if our string was "2139999999", when we find out that 3 < 4,
    //we can also guarantee that the integer represented will fit in an int.
    for(i = 0; i < len; i++) {
      c = s.charAt(i);
      l = limit.charAt(i);
      if(c > l) {
        return false;
      }
      if(c < l) {
        return true;
      }
    }
  }
  c = s.charAt(0);
  if(len == 11) {
    //If the first char is neither '+' nor '-' then 11 digits represent a 
    //bigger integer than 2147483647 (10 digits).
    if(c != '+' && c != '-') {
      return false;
    }
    limit = (c == '-') ? "-2147483648" : "+2147483647";
    //Here we're applying the same logic that we applied in the previous case
    //ignoring the first char.
    for(i = 1; i < len; i++) {
      c = s.charAt(i);
      l = limit.charAt(i);
      if(c > l) {
        return false;
      }
      if(c < l) {
        return true;
      }
    }
  }
  //The string passed all tests, so it must represent a number that fits
  //in an int...
  return true;
}

1
您能否编辑您的答案并解释它如何改善您先前提到的答案?
Gilles Gouaillardet

感谢您的出色回答。但是“ 123”,即123与空格一起被视为有效整数。
塞克里希纳·拉达拉普

1
@SaikrishnaRadarapu他们使用,trim()所以这显然是一个有意的设计选择。
Guildenstern


1

您可能还需要考虑用例:

如果大多数时候您希望数字有效,那么捕获异常只会在尝试转换无效数字时引起性能开销。调用某些isInteger()方法然后进行转换Integer.parseInt()始终导致有效数字的性能开销-字符串被解析两次,一次由检查,一次由转换。


1

这是Jonas代码的修改形式,该代码检查字符串是否在要转换为整数的范围内。

public static boolean isInteger(String str) {
    if (str == null) {
        return false;
    }
    int length = str.length();
    int i = 0;

    // set the length and value for highest positive int or lowest negative int
    int maxlength = 10;
    String maxnum = String.valueOf(Integer.MAX_VALUE);
    if (str.charAt(0) == '-') { 
        maxlength = 11;
        i = 1;
        maxnum = String.valueOf(Integer.MIN_VALUE);
    }  

    // verify digit length does not exceed int range
    if (length > maxlength) { 
        return false; 
    }

    // verify that all characters are numbers
    if (maxlength == 11 && length == 1) {
        return false;
    }
    for (int num = i; num < length; num++) {
        char c = str.charAt(num);
        if (c < '0' || c > '9') {
            return false;
        }
    }

    // verify that number value is within int range
    if (length == maxlength) {
        for (; i < length; i++) {
            if (str.charAt(i) < maxnum.charAt(i)) {
                return true;
            }
            else if (str.charAt(i) > maxnum.charAt(i)) {
                return false;
            }
        }
    }
    return true;
}

1
看起来不错,但最后一个for循环需要将i重置为零(如果负数则为1),因为检查每个数字是否为数字的循环将导致i为字符串长度,因此最后一个for循环永远不会运行。我还将使用Java常量Integer.MAX_VALUE和Integer.MIN_VALUE代替魔术数字。
魔法师蒂姆(Tim the Enchanter)2014年

@TimtheEnchanter谢谢您的建议,我完全忽略了它们。在合并它们的编辑中,我在第一个for循环中使用了一个新变量,以避免多余的if语句。
韦恩

1

如果您使用的是Android API,则可以使用:

TextUtils.isDigitsOnly(str);



0

您所做的工作是可行的,但您可能不应该总是这样检查。抛出异常应该保留给“异常”情况(尽管这可能适合您的情况),并且在性能方面非常昂贵。


它们只有扔掉才昂贵。
比尔蜥蜴

0
Number number;
try {
    number = NumberFormat.getInstance().parse("123");
} catch (ParseException e) {
    //not a number - do recovery.
    e.printStackTrace();
}
//use number

0

这仅适用于正整数。

public static boolean isInt(String str) {
    if (str != null && str.length() != 0) {
        for (int i = 0; i < str.length(); i++) {
            if (!Character.isDigit(str.charAt(i))) return false;
        }
    }
    return true;        
}

4
欢迎来到stackoverflow。在复活旧线程之前,请确保已阅读之前的答复和评论。实际上已经讨论了这种方法(以及可能的缺点)。
Leigh 2012年

0

这对我有用。只需识别一个字符串是基元还是数字。

private boolean isPrimitive(String value){
        boolean status=true;
        if(value.length()<1)
            return false;
        for(int i = 0;i<value.length();i++){
            char c=value.charAt(i);
            if(Character.isDigit(c) || c=='.'){

            }else{
                status=false;
                break;
            }
        }
        return status;
    }

0

要检查所有int字符,您可以简单地使用double负数。

如果(!searchString.matches(“ [^ 0-9] + $”))...

[^ 0-9] + $检查是否有任何非整数的字符,因此如果为真,则测试失败。只是不是那样,您就成功了。


不。您显然还没有测试过。仅当字符串中某处有一个数字时,才返回true;如果字符串只是数字,则不返回。该matches方法匹配整个字符串,而不只是一部分。
达伍德·伊本·卡里姆

您不会得到双重负面影响。
罗杰·盖伊

好吧,我没有得到双重否定。这根本行不通。如果您混合使用数字和字母,则将其放入if块中。不应该这样
达伍德·伊本·卡里姆

0

发现这可能会有所帮助:

public static boolean isInteger(String self) {
    try {
        Integer.valueOf(self.trim());
        return true;
    } catch (NumberFormatException nfe) {
        return false;
    }
}

0

我相信碰到例外的风险为零,因为正如您在下面看到的那样,您始终可以安全地解析intString而不是相反。

所以:

  1. 检查字符串中的每个字符槽是否都与字符{“ 0”,“ 1”,“ 2”,“ 3”,“ 4”,“ 5”,“ 6”,“ 7”, “ 8”,“ 9”}

    if(aString.substring(j, j+1).equals(String.valueOf(i)))
  2. 您将上述字符在插槽中遇到的所有时间相加

    digits++;
  3. 最后,您检查遇到整数作为字符的时间是否等于给定字符串的长度。

    if(digits == aString.length())

实际上,我们有:

    String aString = "1234224245";
    int digits = 0;//count how many digits you encountered
    for(int j=0;j<aString.length();j++){
        for(int i=0;i<=9;i++){
            if(aString.substring(j, j+1).equals(String.valueOf(i)))
                    digits++;
        }
    }
    if(digits == aString.length()){
        System.out.println("It's an integer!!");
        }
    else{
        System.out.println("It's not an integer!!");
    }
    
    String anotherString = "1234f22a4245";
    int anotherDigits = 0;//count how many digits you encountered
    for(int j=0;j<anotherString.length();j++){
        for(int i=0;i<=9;i++){
            if(anotherString.substring(j, j+1).equals(String.valueOf(i)))
                    anotherDigits++;
        }
    }
    if(anotherDigits == anotherString.length()){
        System.out.println("It's an integer!!");
        }
    else{
        System.out.println("It's not an integer!!");
    }

结果是:

这是整数!

这不是整数!

同样,您可以验证a String是a float还是a,double但是在那种情况下,您只需要遇到一个即可。(点)在字符串中,当然检查 digits == (aString.length()-1)

同样,这里发生解析异常的风险为零,但是如果您打算解析一个已知包含数字的字符串(比如说int数据类型),则必须首先检查它是否适合该数据类型。否则,您必须进行投射。

我希望我能帮助

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.