且构网

分享程序员开发的那些事...
且构网 - 分享程序员编程开发的那些事

如何在尊重引号的情况下将字符串分解为参数?

更新时间:2023-11-18 21:21:58

假设您不必使用正则表达式,并且您的输入不包含嵌套引号,则可以在一次迭代中实现在您的String字符上:

Assuming that you don't have to use regex and your input doesn't contains nested quotes you can achieve this in one iteration over your String characters:

String data = "\"file one.txt\" filetwo.txt some other \"things here\"";

List<String> tokens = new ArrayList<String>();
StringBuilder sb = new StringBuilder();

boolean insideQuote = false;

for (char c : data.toCharArray()) {

    if (c == '"')
        insideQuote = !insideQuote;

    if (c == ' ' && !insideQuote) {//when space is not inside quote split..
        tokens.add(sb.toString()); //token is ready, lets add it to list
        sb.delete(0, sb.length()); //and reset StringBuilder`s content
    } else 
        sb.append(c);//else add character to token
}
//lets not forget about last token that doesn't have space after it
tokens.add(sb.toString());

String[] array=tokens.toArray(new String[0]);
System.out.println(Arrays.toString(array));

输出:

["file one.txt", filetwo.txt, some, other, "things here"]