我的文本文件中有一个小数据库。它看起来像这样:
abc def zed fgf
qwe zxc ghj cvb ...
我想将其转换为:
Array1 = [abc, def, zed, fgf]
Array2 = [qwe, zxc, ghj, cvb] ...
我会在上面搜索文字。
FileReader input = new FileReader("myFile");
BufferedReader bufRead = new BufferedReader(input);
String myLine = null;
while ( (myLine = bufRead.readLine()) != null)
{
String[] array1 = myLine.split(":");
// check to make sure you have valid data
String[] array2 = array1[1].split(" ");
for (int i = 0; i < array2.length; i++)
function(array1[0], array2[i]);
}
如何使用此示例代码执行此操作?
答案 0 :(得分:2)
要拥有一个数组数组,您可以使用ArrayList
,如下所示:
List<String[]> arrayList = new ArrayList<>();
while ((myLine = bufRead.readLine()) != null) {
String[] vals = myLine.split(" ");
arrayList.add(vals);
}
这将遍历每一行,使其成为一个数组,然后将其存储在ArrayList
中。
之后,你可以像这样迭代你的ArrayList:
for (String[] currLine : arrayList) {
for (String currString : currLine) {
System.out.print(currString + " ");
}
System.out.println();
}
这将打印:
运行:
abc def zed fgf
qwe zxc ghj cvb
建立成功(总时间:0秒)
编辑创建了一个方法,可以找到您要查找的值的索引。 然而我建议搜索"zxc"
之类的内容会导致1,1而不是2,2,因为数组的索引为0。
public static int[] getIndex(List<String[]> arrayList, String tofind) {
int[] index = new int[]{-1, -1};
for (int i = 0; i < arrayList.size(); i++) {
String[] currLine = arrayList.get(i);
for (int j = 0; j < currLine.length; j++) {
if (currLine[j].equals(tofind)) {
index = new int[]{i + 1, j + 1};
return index;
}
}
}
return index;
}
虽然不是最有效的方式(它遍历每个数组和该数组的每个String
),但它确实可以为您提供您正在寻找的结果:
这样称呼它:
int[] zxcIndex = getIndex(arrayList, "zxc");
System.out.println(zxcIndex[0] + ", " + zxcIndex[1]);
将打印:
2,2
我在处理此方法时编写了这种打印方法,您可以使用它来方便调试:
public static void printList(List<String[]> arrayList) {
for (String[] currLine : arrayList) {
for (String currString : currLine) {
System.out.print(currString + " ");
}
System.out.println();
}
}
另外,想想你可能想要在给定的索引处更新,这更容易:
public static void updateIndex(List<String[]> arrayList, int[] toUpdate, String value) {
String[] rowToUpdate = arrayList.get(toUpdate[0] - 1);
rowToUpdate[toUpdate[1] - 1] = value;
}
所以把这一切放在一起,运行以下内容:
System.out.println("Current list:");
printList(arrayList);
int[] zxcIndex = getIndex(arrayList, "zxc");
System.out.println("\nIndex of xzc is: " + zxcIndex[0] + ", " + zxcIndex[1] + "\n");
updateIndex(arrayList, zxcIndex, "lmnop");
System.out.println("Modified list at index " + zxcIndex[0] + "," + zxcIndex[1] + " :");
printList(arrayList);
结果:
运行:
当前列表:
abc def zed fgf
qwe zxc ghj cvb
xzc的索引是:2,2
索引2,2的修改清单:
abc def zed fgf
qwe lmnop ghj cvb
建立成功(总时间:0秒)
答案 1 :(得分:0)
String[][]
会帮助你。对于每一行,您将拥有一个数组,其中包含两个其他数组,其值由分隔符分隔。
String[][] array = new String[(int)bufRead.lines().count()][2];
for(int i = 0; (myLine = bufRead.readLine()) != null); ++i) {
array[i][0] = myLine.split(":");
array[i][1] = array[i][0].split(" ");
...
}