Splitting and converting String to int
For folks who come here from a search, this function takes a separated values string and delimiter string and returns an integer array of extracted values.
int[] parseStringArr( String str, String delim ) {
String[] strArr = str.trim().split(delim);
int[] intArr = new int[strArr.length];
for (int i = 0; i < strArr.length; i++) {
String num = strArr[i].trim();
intArr[i] = Integer.parseInt(num);
}
return intArr;
}
A couple of problems:
factor
should be multiplied by 10 in every loopanswer
andfactor
should be re-initialized between the numbers you're parsing:
String line = "1,21,333";
for (String retval : line.split(",")) {
int answer = 0;
int factor = 1;
for (int j = retval.length() - 1; j >= 0; j--) {
answer = answer + (retval.charAt(j) - '0') * factor;
factor *= 10;
}
System.out.println(answer);
answer = (answer - answer);
}
OUTPUT
1
21
333
Here's a solution using Java 8 streams:
String line = "1,21,33";
List<Integer> ints = Arrays.stream(line.split(","))
.map(Integer::parseInt)
.collect(Collectors.toList());
Alternatively, with a loop, just use parseInt
:
String line = "1,21,33";
for (String s : line.split(",")) {
System.out.println(Integer.parseInt(s));
}
If you really want to reinvent the wheel, you can do that, too:
String line = "1,21,33";
for (String s : line.split(",")) {
char[] chars = s.toCharArray();
int sum = 0;
for (int i = 0; i < chars.length; i++) {
sum += (chars[chars.length - i - 1] - '0') * Math.pow(10, i);
}
System.out.println(sum);
}
You can use Integer.valueOf(retval)
or Integer.parseInt(retval)