用于“表格化”输入数据的 shell 工具

用于“表格化”输入数据的 shell 工具

很久以前,我记得使用过一个命令,将其输入放入格式良好的表格中。

例如,对于此输入,

apple 1 100
orange 20 19
pineapple 1000 87
avocado 4 30

输出将与此类似:

apple     1    100
orange    20   19
pineapple 1000 87
avocado   4    30

我想知道这个工具的名字。

答案1

使用column -t柱子是其一部分实用程序Linux

$ column -t <<END
> apple 1 100
> orange 20 19
> pineapple 1000 87
> avocado 4 30
> END
apple      1     100
orange     20    19
pineapple  1000  87
avocado    4     30

答案2

awk处理 stdin 的解决方案

由于column不是 POSIX,也许这是:

mycolumn() (
  file="${1:--}"
  if [ "$file" = - ]; then
    file="$(mktemp)"
    cat >"${file}"
  fi
  awk '
  FNR == 1 { if (NR == FNR) next }
  NR == FNR {
    for (i = 1; i <= NF; i++) {
      l = length($i)
      if (w[i] < l)
        w[i] = l
    }
    next
  }
  {
    for (i = 1; i <= NF; i++)
      printf "%*s", w[i] + (i > 1 ? 1 : 0), $i
    print ""
  }
  ' "$file" "$file"
  if [ "$file" = - ]; then
    rm "$file"
  fi
)

测试:

printf '12 1234 1
12345678 1 123
1234 123456 123456
' > file

测试命令:

mycolumn file
mycolumn <file
mycolumn - <file

所有人的输出:

      12   1234      1
12345678      1    123
    1234 123456 123456

也可以看看:

答案3

对于相对较小的文件(其中字节长度小于getconf ARG_MAX),并且输入大小或多或少已知(假设没有水果名称长度超过 18 个字母),printf可能很有用,下面是一个bash示例:

 printf '%-20s %5s %5s\n' $(<file.txt)

输出:

apple                    1   100
orange                  20    19
pineapple             1000    87
avocado                  4    30

注意数字是怎样的正确的有理有据。

相关内容