如何用数字拼接,在给定号码中缺少号码?

时间:2017-11-15 05:51:57

标签: java string split core stringbuilder

我正在尝试获取此输出。但未能错过这个','一个?

Input: 1, 2, 3, 4.. 9, 10,13.. 17, 18, 19.. 25 
Output: 1 2 3 4 5 6 7 8 9 10 13 14 15 16 17 18 19 20 21 22 23 24 25

1 个答案:

答案 0 :(得分:2)

这是一个可以满足你需要的工作实现,下面是代码的进一步说明:

public static String getCSV(int start, int end) {
    List<String> list = IntStream.range(start, end).boxed()
       .map(i -> i.toString()).collect(Collectors.toList());
    String csv = String.join(" ", list);

    return csv;
}

public static void main(String args[])
{
    String input = "1, 2, 3, 4.. 9, 10,13.. 17, 18, 19.. 25";
    input = input.replaceAll(",\\s*", " ");
    Pattern r = Pattern.compile("(\\d+)\\.\\.\\s*(\\d+)");
    Matcher m = r.matcher(input);
    StringBuffer stringBuffer = new StringBuffer();
    while (m.find( )) {
        int start = Integer.parseInt(m.group(1));
        int end = Integer.parseInt(m.group(2));
        m.appendReplacement(stringBuffer, getCSV(start, end+1));
    }
    System.out.println(stringBuffer);
}

<强>输出:

1 2 3 4 5 6 7 8 9 10 13 14 15 16 17 18 19 20 21 22 23 24 25

这种方法使用正则表达式匹配器来识别省略号中的每对数字(例如4.. 9),然后用从起点到终点的空格分隔的连续范围替换它。 Java 8流在这里派上用场,getCSV()方法生成一个包含起始和结束输入值的数字序列的字符串。然后,我们只需迭代整个输入,并使用辅助方法替换每个省略号。

Demo