删除 Java 中方括号之间的一些文本 6

Remove some text between square brackets in Java 6

是否可以更改此设置:

[quote]user1 posted:
      [quote]user2 posted:
              Test1
      [/quote]
      Test2
[/quote]
Test3

对此:

Test3

使用 Java 6?

好的,写了一些不是正则表达式的解决方案。

    String str ="[quote]user1 posted:[quote]user2 posted:Test1[/quote]Test2[/quote]Test3";
    String startTag = "[quote]";
    String endTag = "[/quote]";
    String subStr;
    int startTagIndex;
    int endTagIndex;
    while(str.contains(startTag) || str.contains(endTag)) {
        startTagIndex = str.indexOf(startTag);
        endTagIndex = str.indexOf(endTag) + endTag.length();
        if(!str.contains(startTag)) {
            startTagIndex = 0;
        }
        if(!str.contains(endTag)) {
            endTagIndex = startTagIndex + startTag.length();
        }
        subStr = str.substring(startTagIndex, endTagIndex);;
        str = str.replace(subStr, "");
    }

我将其编译为 Java 8。我认为我没有使用 Java 6.

中不可用的任何功能

已编辑:System.lineSeparator() 已添加到 Java 1.7 中。我将行更改为 System.getProperty("line.separator").

public class RemoveQuotes {

    public static void main(String[] args) {
        String input = "[quote]user1 posted:\r\n" + 
                "      [quote]user2 posted:\r\n" + 
                "              Test1\r\n" + 
                "      [/quote]\r\n" + 
                "      Test2\r\n" + 
                "[/quote]\r\n" + 
                "Test3";
        
        input = input.replace(System.getProperty("line.separator"), "");
        String endQuote = "[/quote]";
        int endPosition;
        
        do {
            int startPosition = input.indexOf("[quote]");
            endPosition = input.lastIndexOf(endQuote);
            if (endPosition >= 0) {
                String output = input.substring(0, startPosition);
                output += input.substring(endPosition + endQuote.length());
                input = output;
            }
        } while (endPosition >= 0);
        
        System.out.println(input);
    }

}