-1

我正在开发一个 android 应用程序,我需要它来读取文本文件。一旦它读取了我需要的文本文件save certain parts到数据库。文本文件包含以下内容:

Title - Hello
Date - 03/02/1982
Info - Information blablabla

Title - New title
Date - 04/05/1993
Info - New Info

我认为我需要通过使用空白行将文本文件一分为二separator。然后我需要获取标题等个人信息并将其作为标题保存到数据库中。有没有办法做到这一点?我知道如何阅读所有的文本文件。我正在使用它来读取complete文本文件。

    TextView helloTxt = (TextView) findViewById(R.id.hellotxt);
    helloTxt.setText(readTxt());

}

private String readTxt() {

    InputStream inputStream = getResources().openRawResource(R.raw.hello);

    ByteArrayOutputStream byteArrayOutputStream = new ByteArrayOutputStream();

    int i;
    try {
        i = inputStream.read();
        while (i != -1) {
            byteArrayOutputStream.write(i);
            i = inputStream.read();
        }
        inputStream.close();
    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }

    return byteArrayOutputStream.toString();
}

我只是想知道这个分裂事件。谢谢

4

3 回答 3

2

所以如果我理解你的问题是正确的,你会寻找在换行符处分割你的文本的东西。因此,您可以获取两个信息字段并将它们放入文本视图中。

看这篇文章:Split Java String by New Line 这将向您展示如何将文本分割成行。

如果你想分割没有空行的文本,请使用:

String.split("[\\r\\n]+")

这也是由同一线程中的其他用户描述的。

祝你好运,
丹尼尔

于 2012-12-17T15:41:12.293 回答
0

尝试使用Pattern.compile

    File sdcard = Environment.getExternalStorageDirectory();

    //Get the text file
    File file = new File(sdcard,"myaddress.txt");

    //Read text from file
    StringBuilder text = new StringBuilder();

    try {
        BufferedReader br = new BufferedReader(new FileReader(file));
        String line;

        while ((line = br.readLine()) != null) {
            text.append(line);
            text.append("####");
        }
    }
    catch (IOException e) {
        //You'll need to add proper error handling here
    }
System.out.println("text text text ====:: "+text.toString());

String your_string = text.toString();

Pattern pattern = Pattern.compile("####");
String[] strarray =pattern.split(your_string);

笔记 :

这对我来说是有效的

于 2012-12-17T15:53:47.780 回答
0

您可以将正则表达式与 Pattern 和 Matcher 一起使用:

    String inputString = "Title - Hello\n" //
        + "Date - 03/02/1982\n" //
        + "Info - Information blablabla\n" //
        + "Title - New title\n" //
        + "Date - 04/05/1993\n" //
        + "Info - New Info\n";

    Pattern myPattern = Pattern.compile("Title - (.*)\nDate - (.*)\nInfo - (.*)");
    Matcher m = myPattern.matcher(inputString);
    String title = "";
    String date = "";
    String info = "";

    while (m.find()) {
        title = m.group(1);
        date = m.group(2);
        info = m.group(3);
        System.out.println("Title : [" + title + "] Date : [" + date + "] Info : [" + info + "]");
    }

此代码返回:

Title : [Hello] Date : [03/02/1982] Info : [Information blablabla]
Title : [New title] Date : [04/05/1993] Info : [New Info]

我相信您可以找到更好的正则表达式,但我不是专家;)

于 2012-12-17T15:42:02.717 回答