7

目前我有一个命令的数字排序输出:

18,19,62,161,162,163,165

我想将这些数字列表压缩为单个数字或数字范围的列表

18-19,62,161-163,165

我考虑过尝试在 bash 中对数组进行排序并读取下一个数字以查看它是否为 +1 ...

foreach ($missing as $key => $tag) {
    $next = $missing[$key+1];
    if (!isset($first)) {
        $first = $tag;
    }
    if($next != $tag + 1) {
        if($first == $tag) {
            echo '<tr><td>'.$tag.'</td></tr>';
        } else {
            echo '<tr><td>'.$first.'-'.$tag.'</td></tr>';
        }
        unset($first);
    }
}

我在想 bash 中可能有一个可以做到这一点的单行代码,但我的谷歌搜索功能不足......

更新: 感谢@Karoly Horvath 的快速回答,我曾经用它来完成我的项目。我肯定会对那里的任何更简单的解决方案感兴趣。

4

2 回答 2

6

是的,shell 进行变量替换,如果prev未设置,则该行变为:

if [ -ne $n+1] 

这是一个工作版本:

numbers="18,19,62,161,162,163,165"

echo $numbers, | sed "s/,/\n/g" | while read num; do
    if [[ -z $first ]]; then
        first=$num; last=$num; continue;
    fi
    if [[ num -ne $((last + 1)) ]]; then
        if [[ first -eq last ]]; then echo $first; else echo $first-$last; fi
        first=$num; last=$num
    else
        : $((last++))
    fi
done | paste -sd ","

18-19,62,161-163,165
于 2012-12-04T18:06:34.810 回答
0

仅使用 bash 中的函数:

#!/bin/bash

list2range() {
  set -- ${@//,/ }       # convert string to parameters

  local first a b string IFS
  local -a array
  local endofrange=0

  while [[ $# -ge 1 ]]; do  
    a=$1; shift; b=$1

    if [[ $a+1 -eq $b ]]; then
      if [[ $endofrange -eq 0 ]]; then
        first=$a
        endofrange=1
      fi
    else
      if [[ $endofrange -eq 1 ]]; then
        array+=($first-$a)
      else
        array+=($a)
      fi
      endofrange=0
    fi
  done

  IFS=","; echo "${array[*]}"
}

list2range 18,19,62,161,162,163,165

输出:

18-19,62,161-163,165
于 2019-09-20T20:11:51.477 回答