次のような文字列の整数部分を抽出する最良の方法は何ですか
Hello123
123の部分をどのように取得しますか。 Javaのスキャナーを使用してハッキングすることができますが、もっと良い方法はありますか?
正規表現を使用して、必要な文字列の部分を一致させてみませんか?
[0-9]
必要なのはそれだけで、それに必要な周囲の文字もすべて必要です。
http://www.regular-expressions.info/tutorial.html を見て、正規表現の仕組みを理解してください。
編集:他の提出者が投稿したコードが実際に機能する場合、Regexはこの例では少しオーバーボードかもしれませんが、非常に強力であるため、Regexの一般的な学習をお勧めします私が認めたい以上に便利になります(彼らにショットを与える前に数年待った後)。
前に説明したように、正規表現を使用してみてください。これは役立つはずです:
String value = "Hello123";
String intValue = value.replaceAll("[^0-9]", ""); // returns 123
そして、そこからint(またはInteger)に変換するだけです。
あなたは次のようなことができると信じています:
Scanner in = new Scanner("Hello123").useDelimiter("[^0-9]+");
int integer = in.nextInt();
編集:カルロスによるuseDelimiter提案を追加
末尾の数字が必要な場合、これは機能します。
import Java.util.regex.*;
public class Example {
public static void main(String[] args) {
Pattern regex = Pattern.compile("\\D*(\\d*)");
String input = "Hello123";
Matcher matcher = regex.matcher(input);
if (matcher.matches() && matcher.groupCount() == 1) {
String digitStr = matcher.group(1);
Integer digit = Integer.parseInt(digitStr);
System.out.println(digit);
}
System.out.println("done.");
}
}
私はマイケルの正規表現が可能な限り最も簡単な解決策であると考えていましたが、Matcher.matches()の代わりにMatcher.find()を使用すると、「\ d +」が機能します。
import Java.util.regex.Pattern;
import Java.util.regex.Matcher;
public class Example {
public static void main(String[] args) {
String input = "Hello123";
int output = extractInt(input);
System.out.println("input [" + input + "], output [" + output + "]");
}
//
// Parses first group of consecutive digits found into an int.
//
public static int extractInt(String str) {
Matcher matcher = Pattern.compile("\\d+").matcher(str);
if (!matcher.find())
throw new NumberFormatException("For input string [" + str + "]");
return Integer.parseInt(matcher.group());
}
}
私はそれが6年前の質問であることを知っていますが、私は今すぐ正規表現を学ぶことを避けたい人のために答えを投稿しています(あなたはところで)このアプローチは、数字の間の数字も提供します(たとえば、HP 12 KT 567は123567を返します)
Scanner scan = new Scanner(new InputStreamReader(System.in));
System.out.print("Enter alphaNumeric: ");
String x = scan.next();
String numStr = "";
int num;
for (int i = 0; i < x.length(); i++) {
char charCheck = x.charAt(i);
if(Character.isDigit(charCheck)) {
numStr += charCheck;
}
}
num = Integer.parseInt(numStr);
System.out.println("The extracted number is: " + num);
String[] parts = s.split("\\D+"); //s is string containing integers
int[] a;
a = new int[parts.length];
for(int i=0; i<parts.length; i++){
a[i]= Integer.parseInt(parts[i]);
System.out.println(a[i]);
}