假设我有以下代码:
String s = "{U1,U2,U3},{U5,U7},{U4,U6,U8}";
如何让它看起来像是在下面?
String s1 = {U1,U2,U3};
String s2 = {U5,U7};
String s3 = {U4,U6,U8};
s
中的组合可以是任何形式。
s1,s2,s3是不同的字符串。
答案 0 :(得分:2)
您可以使用以下方法:
"},{"
请参阅example:
public static void parse(String[] args) throws java.lang.Exception
{
String myString = "{U1,U2,U3},{U5,U7},{U4,U6,U8}";
int begin = 0;
int end = 0;
String s1;
while (end != -1){
end = myString.indexOf("},{", begin);
if ((end < myString.length()) && ((begin < end)))
s1 = myString.substring(begin, end + 1);
else
s1 = myString.substring(begin);
begin = end + 2;
System.out.println(s1);
}
}
答案 1 :(得分:2)
这是我的代码:
public class SplitString {
public static void main(String[] args) {
String s ="{U1,U2,U3},{U5,U7},{U4,U6,U8}";
String[] splitted = s.split("},");
// add the end brace for every entry except the last
for (int i=0 ; i < splitted.length-1 ; i++) {
splitted[i]=splitted[i] + "}";
}
// print out the string array
for (int i=0; i< splitted.length ; i++) {
System.out.println("String s"+i+" = "+splitted[i]);
}
}
}
每次遇到两个字符},
时都会拆分,将其放入字符串数组“splitted”中,然后循环遍历String数组,并在每个字符串的末尾添加}
,除了最后。
输出:
String s0 = {U1,U2,U3}
String s1 = {U5,U7}
String s2 = {U4,U6,U8}
答案 2 :(得分:1)
使用replace()
函数将"{"
替换为" "
并基于","
进行拆分;将这些值放入数组并对数组进行排序。现在,您可以轻松地显示您想要的任何格式。
答案 3 :(得分:0)
拆分,}
个字符组合
。以下代码在C#中。我不知道确切的Java等价物。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Text.RegularExpressions;
namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
string s = "{U1,U2,U3},{U5,U7},{U4,U6,U8}";
string[] splitstring = Regex.Split(s,"},");
// the string obtained are splitstring[0]= {U1,U2,U3 splitstring[1]={U5,U7
// splitstring[2]={U4,U6,U8}
// Note only last string is not missing closing bracket so in a loop we append closing
// bracket to all strings except last string
for (int i = 0; i < splitstring.Length; i++)
if (i == splitstring.Length - 1)
continue;
else
splitstring[i] = splitstring[i] + "}";
foreach (string str in splitstring)
Console.WriteLine("\n" + str);
}
}
}
答案 4 :(得分:0)
public static void main(String... args) {
String input = "{U1,U2,U3},{U5,U7},{U4,U6,U8}";
Pattern pattern = Pattern.compile("\\{[^\\}]*\\}");
Matcher matcher = pattern.matcher(input);
while (matcher.find()) {
String s = matcher.group();
System.out.format("%s\n", s);
}
}