3 回答
TA贡献1963条经验 获得超6个赞
您可以使用Character.isDigit(char)区分数字和非数字字符,因为实际上这是在同一行中对多个字符进行分组的单一标准。
它会给:
public static void main(String[] args) {
String inputString = "1+3,432.123*4535-24.4";
String currentSequence = "";
for (int i = 0; i < inputString.length(); i++) {
char currentChar = inputString.charAt(i);
if (Character.isDigit(currentChar)) {
currentSequence += currentChar;
continue;
}
System.out.println(currentSequence);
System.out.println(currentChar);
currentSequence = "";
}
// print the current sequence that is a number if not printed yet
if (!currentSequence.equals("")) {
System.out.println(currentSequence);
}
}
Character.isDigit()依赖于 unicode 类别。
您可以自己编写代码,例如:
if (Character.getType(currentChar) == Character.DECIMAL_DIGIT_NUMBER) {...}
或者,您可以通过检查 的int值char是否包含在数字的ASCII十进制值范围内,在较低级别对其进行编码:
if(currentChar >= 48 && currentChar <= 57 ) {
它输出你想要的:
1
+
3
,
432
.
123
*
4535
——
24
.
4
TA贡献1833条经验 获得超4个赞
这比你想象的要容易。
首先:要获取包含字符串字符的数组,您只需使用toCharArray()所有字符串都具有的方法。
前任。myString.toCharArray()
第二:当你看到一个字符不是数字时,你想移动到下一行,打印字符,然后再次移动到下一行。
以下代码正是这样做的:
public class JavaApplication255 {
public static void main(String[] args) {
String inputString = "1+3,432.123*4535-24.4";
char[] destArray = inputString.toCharArray();
for (int i = 0 ; i < destArray.length ; i++){
char c = destArray[i];
if (isBreakCharacter(c)){
System.out.println("\n" + c);
} else {
System.out.print(c);
}
}
}
public static boolean isBreakCharacter(char c){
return c == '+' || c == '*' || c == '-' || c == '.' || c == ',' ;
}
TA贡献1847条经验 获得超7个赞
这是一个可能的解决方案,我们逐个字符地添加到将成为我们的数字的现有字符串中,或者将字符串添加到数组中,清除当前数字,然后添加特殊字符。最后,我们遍历数组的次数与找到数字或非数字字符的次数相同。我使用 ASCII 表将字符识别为数字,该表将在您的整个编程生涯中派上用场。最后,我将数组更改为字符串数组,因为字符不能包含“432”之类的数字,只能包含“4”或“3”或“2”。
String inputString = "1+3,432.123*4535-24.4";
int stringLength = inputString.length();
String[] destArray = new String[stringLength];
int destArrayCount = 0;
String currentString = "";
for (int i=0; i<stringLength; i++)
{
//check it's ascii value if its between 0 (48) and 9 (57)
if(inputString.charAt(i) >= 48 && inputString.charAt(i) <= 57 )
{
currentString += inputString.charAt(i);
}
else
{
destArray[destArrayCount++] = currentString;
currentString = "";
//we know we don't have a number at i so its a non-number character, add it
destArray[destArrayCount++] = "" + inputString.charAt(i);
}
}
//add the last remaining number
destArray[destArrayCount++] = currentString;
for(int i = 0; i < destArrayCount; i++)
{
System.out.println("(" + i + "): " + destArray[i]);
}
重要- 如果使用某种类型的字符串,此算法将失败。你能找到这个算法失败的字符串吗?你能做些什么来确保计数总是正确的,而不是有时比实际计数大 1?
添加回答
举报