我有一个文件,foo.txt,包含以下行:
a
b
c
我想要一个简单的命令,导致foo.txt的内容为:
a
b
我有一个文件,foo.txt,包含以下行:
a
b
c
我想要一个简单的命令,导致foo.txt的内容为:
a
b
当前回答
Mac用户
如果只希望删除最后一行输出而不更改文件本身做
Sed -e '$ d' foo.txt
如果要删除输入文件本身的最后一行
Sed -i " -e '$ d' foo.txt
其他回答
这是目前为止最快和最简单的解决方案,特别是对大文件:
head -n -1 foo.txt > temp.txt ; mv temp.txt foo.txt
如果你想删除顶部行,使用这个:
tail -n +2 foo.txt
这意味着输出行从第2行开始。
不要使用sed从文件的顶部或底部删除行——如果文件很大,它会非常非常慢。
要从文件中删除最后一行而不读取整个文件或重写任何内容,可以使用
tail -n 1 "$file" | wc -c | xargs -I {} truncate "$file" -s -{}
要删除最后一行并将其打印到stdout(“弹出”它),可以将该命令与tee结合使用:
tail -n 1 "$file" | tee >(wc -c | xargs -I {} truncate "$file" -s -{})
这些命令可以有效地处理一个非常大的文件。这与Yossi的答案相似,并受到了启发,但它避免了使用一些额外的函数。
如果你想重复使用这些,并且想要错误处理和一些其他功能,你可以在这里使用poptail命令: https://github.com/donm/evenmoreutils
OK处理了大量的数据,输出是OK的,但有一个垃圾行。
如果我用管道输出脚本到:
| sed -i '$ d'我将得到以下错误,最终没有输出 Sed:没有输入文件
但是|头-n -1成功了!
这两个解都是另一种形式。我发现下面这些更实际、更清晰、更有用:
使用dd:
BADLINESCOUNT=1
ORIGINALFILE=/tmp/whatever
dd if=${ORIGINALFILE} of=${ORIGINALFILE}.tmp status=none bs=1 count=$(printf "$(stat --format=%s ${ORIGINALFILE}) - $(tail -n${BADLINESCOUNT} ${ORIGINALFILE} | wc -c)\n" | bc )
/bin/mv -f ${ORIGINALFILE}.tmp ${ORIGINALFILE}
使用截断:
BADLINESCOUNT=1
ORIGINALFILE=/tmp/whatever
truncate -s $(printf "$(stat --format=%s ${ORIGINALFILE}) - $(tail -n${BADLINESCOUNT} ${ORIGINALFILE} | wc -c)\n" | bc ) ${ORIGINALFILE}
使用GNU sed:
sed -i '$ d' foo.txt
-i选项在3.95以上的GNU sed版本中不存在,所以你必须使用它作为一个临时文件的过滤器:
cp foo.txt foo.txt.tmp
sed '$ d' foo.txt.tmp > foo.txt
rm -f foo.txt.tmp
当然,在这种情况下,你也可以用head -n -1代替sed。
一样:
在Mac OS X(10.7.4)上,与上面的sed -i命令等价的是
sed -i '' -e '$ d' foo.txt