以下是我需要在某些条件下组合的字符串列表。
“MSD”、“EEE”、“RSR”、“OCL”、“SMS”、“RTS”
组合条件为
(例如:(“EEE”
,"RSR") ,("EEE","RSR","OCL"))
彼此不相邻)
对于这个问题,Java 实现非常受欢迎。
public class Dummy {
public static void main(String[] args) {
String[] str = { "MSD" ,"EEE", "RSR", "OCL", "SMS","RTS" };
List<String> list = new ArrayList<>();
for (int j = 0; j < str.length; j++) {
String temp = "";
for (int i = j; i < str.length; i++) {
temp = temp + " " + str[i];
list.add(temp);
}
}
for (String string : list) {
System.out.println(string);
}
}
}
抱歉我尝试过的代码更新晚了
最佳答案
for (int j = 0; j < str.length; j++) {
String temp = "";
for (int i = j; i < str.length; i++) {
if ("".equals(temp))
temp = str[i]; // assign the String to temp, but do not add to list yet
else {
temp = temp + " " + str[i];
list.add(temp); // now that temp consists of at least two elements
// add them to the list
}
}
}
修复了同时列出单个条目的问题。从而导致:
MSD EEE
MSD EEE RSR
MSD EEE RSR OCL
MSD EEE RSR OCL SMS
MSD EEE RSR OCL SMS RTS
EEE RSR
EEE RSR OCL
EEE RSR OCL SMS
EEE RSR OCL SMS RTS
RSR OCL
RSR OCL SMS
RSR OCL SMS RTS
OCL SMS
OCL SMS RTS
SMS RTS
关于java - 字符串列表的组合,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34530086/