从字符串行中删除 int.然后,将 int 放入变量


String team1=z.nextLine(), team2;
int num1, num2;
num1 = z.Int();
team1 = z.nextLine();
team1 = team1.replaceAll("[0-9]","");
System.out.println(team1 + " " + num1);

我需要扫描内容为"Alpha Beta Gamma 52"的文本文件。字符串"Alpha Beta Gamma"必须放在team1,52必须放在num1。当我使用 .replaceAll 时,它会删除阻碍我拥有整数的 52。

正如你所注意到的,一旦你从字符串中删除了这个值;这个值就不在字符串中了。这样的事情怎么样?

public static void main(String[] args) {
  String in = "Alpha Beta Gamma 52";
  String[] arr = in.split(" ");                // split the string by space.
  String end = arr[arr.length - 1];            // get the last "word"
  boolean isNumber = true;
  for (char c : end.trim().toCharArray()) {    // check if every character is a digit.
    if (!Character.isDigit(c)) {
      isNumber = false;                        // if not, it's not a number.
    }
  }
  Integer value = null;                        // the numeric value.
  if (isNumber) {
    value = Integer.valueOf(end.trim());
  }
  if (value != null) {
    in = in.substring(0, in.length()
        - (String.valueOf(value).length() + 1)); // get the length of the 
                                                 // numeric value (as a String).
  }
  // Display
  if (value != null) {
    System.out.printf("in = %s, value = %d", in, value);
  } else {
    System.out.println(in + " does not end in a number");
  }
}

在数字之前拆分,然后解析各个部分:

String[] parts = str.split(" (?=\d)");
String team = parts[0];
int score = Integer.parseInt(parts[1]);
public static void main(String[] args) {
        String readLine = new Scanner(System.in).nextLine();
        String team1 = readLine.replaceAll("\d", "");
        int team2 = Integer.parseInt(readLine.replaceAll("\D", ""));
        System.out.println(team1); //Alpha Beta Gamma
        System.out.println(team2); //52    
}

最新更新