Par exemple, j'ai une chaîne d'entrée: "qwerty1qwerty2";
En tant que sortie, j'aimerais avoir [1,2].
Ma mise en œuvre actuelle ci-dessous:
import Java.util.ArrayList;
import Java.util.List;
public class Test1 {
public static void main(String[] args) {
String inputString = args[0];
String digitStr = "";
List<Integer> digits = new ArrayList<Integer>();
for (int i = 0; i < inputString.length(); i++) {
if (Character.isDigit(inputString.charAt(i))) {
digitStr += inputString.charAt(i);
} else {
if (!digitStr.isEmpty()) {
digits.add(Integer.parseInt(digitStr));
digitStr = "";
}
}
}
if (!digitStr.isEmpty()) {
digits.add(Integer.parseInt(digitStr));
digitStr = "";
}
for (Integer i : digits) {
System.out.println(i);
}
}
}
Mais après une double vérification, je déteste quelques points:
Certaines lignes de code se répètent deux fois.
J'utilise List. Je pense que ce n'est pas une très bonne idée, mieux utiliser un tableau.
Alors qu'est-ce que tu en penses?
Pourriez-vous s'il vous plaît fournir des conseils?
Utiliser RepalceAll
String str = "qwerty1qwerty2";
str = str.replaceAll("[^0-9]+", " ");
System.out.println(Arrays.asList(str.trim().split(" ")));
Sortie:
[1, 2]
[MODIFIER]
Si vous souhaitez inclure -
a.e moins, ajoutez -?
:
String str = "qwerty-1qwerty-2 455 f0gfg 4";
str = str.replaceAll("[^-?0-9]+", " ");
System.out.println(Arrays.asList(str.trim().split(" ")));
Sortie:
[-1, -2, 455, 0, 4]
Description
[^-?0-9]+
+
Entre une et un nombre illimité de fois, autant de fois que possible, en redonnant au besoin-?
L'un des caractères "-?"0-9
Un caractère compris entre "0" et "9"import Java.util.regex.Matcher;
import Java.util.regex.Pattern;
...
Pattern pattern = Pattern.compile("[0-9]+");
Matcher matcher = pattern.matcher("test1string1337thingie");
// Find all matches
while (matcher.find()) {
// Get the matching string
String match = matcher.group();
}
Est une solution d'expression rationnelle.
essayez ce code
String s = "qwerty1qwerty2";
for(int i=0;i<s.length();i++)
{
if(Character.isDigit(s.charAt(i)))
System.out.print(s.charAt(i)+" ");
}