0

我有一个String,我能够将它转换成一个Vector<Integer>.

public class VectorConverter {
public static Vector <Integer> v (String s) {
    Vector<Integer> myVec = new Vector();

    //Convert the string to a char array and then just add each char to the vector
    char[] sChars = s.toCharArray();
    int[] sInt= new int [sChars.length];;
    for(int i = 0; i < s.length(); ++i) {
        sInt[i]= Character.getNumericValue(sChars[i]);
        myVec.add(sInt[i]);
    }

    return myVec;
}}

现在我想把它转换成一个二维int数组(int[][])。例如,如果我拥有[0,1,0,0] 它将成为一个列向量,就像这样

0
1
0
0  

有任何想法吗?

4

2 回答 2

0

像这样的东西?

int[][] result = new int[myVec.size()][];

for(int i = 0; i < myVec.size(); i++) {
   result[i] = myVec.get(i);
}
于 2013-07-24T10:55:49.163 回答
0

Vector除非您使用旧版本的 jre,否则不建议使用。我建议您迁移到List相应的答案并以此为基础。另外,我很困惑您为什么要转换为整数。您可以像这样直接在 char[] 上工作。


您可以尝试以下输入这样的输入[[4,2,6][....]]

ArrayList<ArrayList<Integer>> table = new ArrayList<ArrayList<Integer>>();
char[] chars = myString.toCharArray();
ArrayList<Integer> current = null;
for(int i=1; i<chars.length-1; ++i) { // To avoid parsing begining and end of the array
    char c = chars[i];
    if(c == '[')
        table.add(current = new ArrayList<Integer>());
    if(c == ']')
        continue;
    current.add(Character.getNumericValue(c));
}
int[][] result = table.toArray(new int[0][0]); // Maybe this will fail and you'll have to use Integer[][] instead
于 2013-07-24T11:02:12.487 回答