3

是否有 *nix 命令格式化输入(由换行符分隔),以便每行只出现特定的最大元素数?例如:

$ 是 x | 头-10 | 命令 4
xxxx
xxxx
xx

我编写了一个执行此任务的快速bash脚本(如下所示),但它看起来很长并且可能效率低下。有一个更好的方法吗?

#!/bin/sh

if [ -z "$1" -o -z "$2" ]; then
        echo Usage `basename $0` {rows} {columns}
        exit 1
fi

ROWS=$1
COLS=$2

input=$(yes x | head -${ROWS})
lines=()
i=0
j=0
eol=0

for x in ${input[*]}
do
        lines[$i]="${lines[$i]} $x"
        j=`expr $j + 1`
        eol=0
        if [ $j -ge ${COLS} ]; then
                echo lines[$i] = ${lines[$i]}
                i=`expr $i + 1`
                j=0
                eol=1
        fi
done

if [ ${eol} -eq 0 ]; then
        echo lines[$i] = ${lines[$i]}
fi
4

5 回答 5

8

数组可以切片。

$ foo=(q w e r t y u)
$ echo "${foo[@]:0:4}"
q w e r
于 2012-05-20T00:34:04.870 回答
4
printf '%-10s%-10s%-10s%s\n' $(command | command)

printf将一次消耗格式字符串中指定的参数数量并继续直到它们全部消耗。

示范:

$ printf '%-10s%-10s%-10s%s\n' $(yes x | head -n 10)
x         x         x         x
x         x         x         x
x         x
$ printf '%-10s%-10s%-10s%s\n' $(<speech)
now       is        the       time
for       all       good      men
to        come      to        the
aid       of        their     country
于 2012-05-20T02:06:48.730 回答
1
yes x | head -10 | awk 'BEGIN { RS = "%%%%%%%" } { split($0,a,"\n"); for (i=1; i<length(a); i+=4) print a[i], a[i+1], a[i+2], a[i+3] }'

更具可读性:

yes x | \
head -10 | \
awk 'BEGIN { RS = "%%%%%%%" }
     { split($0,a,"\n"); 
       for (i=1; i<length(a); i+=4) print a[i], a[i+1], a[i+2], a[i+3] }'
于 2012-05-20T00:49:00.730 回答
0

你为什么不尝试类似的东西

sed 's|\(.{10}\)|\1\n|'

我在 Window 机器上工作并没有尝试过。我的想法是将所有内容匹配 N 次,然后用匹配的模式和换行符替换它们。

PS 请更正任何语法错误的 sed 表达式。

于 2012-05-20T02:08:27.683 回答
0

为此,您可以使用xargs(1)-n和or--max-args=选项来限制每个命令行的参数数量:

$ yes x | head -10 | xargs -n4
x x x x
x x x x
x x
$

显然,您必须能够信任输入;例如,如果引号不匹配,xargs 就会中断:

$ yes 'x"' | head -10 | xargs -n4
xargs: unmatched double quote; by default quotes are special to xargs unless you use the -0 option
$
于 2021-09-24T19:29:54.200 回答