gpt4 book ai didi

Java解析文本文件到数组

转载 作者:塔克拉玛干 更新时间:2023-11-02 19:15:29 24 4
gpt4 key购买 nike

我的文本文件中有一个小型数据库。它看起来像这样:

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]);
}

如何使用此示例代码执行此操作?

最佳答案

要获得一个数组数组,您可以像这样使用 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();
}

这将打印:

run:
abc def zed fgf
qwe zxc ghj cvb
BUILD SUCCESSFUL (total time: 0 seconds)

编辑 创建了一种方法,可以找到您要查找的值的索引。 但是我建议搜索类似"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);

结果:

run:
Current list:
abc def zed fgf
qwe zxc ghj cvb

Index of xzc is: 2, 2

Modified list at index 2,2 :
abc def zed fgf
qwe lmnop ghj cvb
BUILD SUCCESSFUL (total time: 0 seconds)

关于Java解析文本文件到数组,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36361929/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com