嗨,我敢肯定这是一个相当简单的,但我的 java 很生锈。
我有一个示例字符串
aaa\n123\nbbb\n124\ncccdef\n125\ndefg\n126
我需要做的是根据每第二次出现的 \n 将字符串拆分为集合,这将产生一个数组:
啊\n123
bbb\n124
cccdef\n125
定义\n126
我怎样才能做到这一点?
这是给你的另一个代码。它解决了你的问题。经过测试和验证。
String temp = "aaa\n123\nbbb\n124\ncccdef\n125\ndefg\n126";
String parts[] = temp.split("\n");
ArrayList<String> listItems = new ArrayList<String>();
for (int i = 0; i < parts.length; i =i+2) {
listItems.add(parts[i]+"\\n"+parts[i+1]);
}
/*Below loop is just to verify if your list contains correct items, Printing logs*/
for (int i = 0; i < listItems.size(); i++) {
Log.d("TEMP","item = "+ listItems.get(i));
}
PS:- 只需确认您在需要的地方添加了 NULL 检查。:) 快乐编码。
一种尝试可能是正则表达式。或者您在每次出现时将其拆分并自行构建对
String example; //your string
String c = "\\n"; //I assume your delimiter is actually the "\n" string not the newline
String[] pieces = example.split(c);
ArrayList<String> final_list = new ArrayList<String>;
bool add = false;
String mem;
for (String s : pieces) {
if (add) {
final_list.add(mem+c+s);
} else {
mem = s;
}
add = !add;
}
快速而肮脏的解决方案:
String input = "aaa\n123\nbbb\n124\ncccdef\n125\ndefg\n126";
String[] splitted = input.split("\n");
String[] finalArray = new String[splitted.length / 2];
int idx =0;
for(int i=0; i<splitted.length; i=i+2) {
finalArray[idx] = finalArray[i] + finalArray [i+1];
idx++;
}
String data = "aaa\n123\nbbb\n124\ncccdef\n125\ndefg\n126";
String[] splitData = data.split("\n");
List<String> finalData = new ArrayList<String>();
StringBuilder temp = new StringBuilder();
for (int i = 0; i < splitData.length; i++) {
temp.append(splitData[i]);
if (i % 2 == 1) {
finalData.add(temp.toString());
temp = new StringBuilder();
} else {
temp.append("\n");
}
}