1

假设我有以下代码:

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 是不同的字符串。

4

5 回答 5

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

每次遇到两个字符时都会拆分},,将其放入“拆分”的字符串数组中,然后循环遍历字符串数组并}在除最后一个之外的每个字符的末尾添加一个。

输出:

String s0 = {U1,U2,U3}
String s1 = {U5,U7}
String s2 = {U4,U6,U8}
于 2013-04-03T05:42:07.450 回答
2

您可以使用以下方法:

例子

  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);
     }
  }
于 2013-04-03T05:15:40.927 回答
1

通过使用replace()函数 replace "{"with" "和 split 基于","; 将这些值放入数组并对数组进行排序。现在您可以轻松地显示您想要的任何格式。

于 2013-04-03T06:01:03.523 回答
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);
    }
}
于 2013-04-03T09:18:25.307 回答
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);
        }
    }
}
于 2013-04-03T05:20:45.587 回答