16

如果文本文件为空,我如何使用例如 sed 或其他标准 UNIX 工具删除文本文件的第一行 (!)。我试过这个命令:

sed '/^$/d' < somefile

但这将删除第一个空行,而不是文件的第一行,如果它是空的。关于行号,我可以给 sed 一些条件吗?

随着 Levon 的回答,我基于 awk 构建了这个小脚本:

#!/bin/bash

for FILE in $(find some_directory -name "*.csv")
do
    echo Processing ${FILE}

    awk '{if (NR==1 && NF==0) next};1' < ${FILE} > ${FILE}.killfirstline
    mv ${FILE}.killfirstline ${FILE}

done
4

5 回答 5

27

sed 中最简单的事情是:

sed '1{/^$/d}'

请注意,这不会删除包含所有空格的行,而只会删除仅包含单个换行符的行。摆脱空白:

sed '1{/^ *$/d}'

并消除所有空格:

sed '1{/^[[:space:]]*$/d}'
于 2012-06-27T16:19:09.510 回答
3

如果您不必就地执行此操作,则可以使用awk输出并将其重定向到不同的文件中。

awk '{if (NR==1 && NF==0) next};1' somefile

这将打印文件的内容,除非它是第一行 ( NR == 1) 并且不包含任何数据 ( NF == 0)。

NR当前行号,NF给定行上由空格/制表符分隔的字段数

例如,

$ cat -n data.txt
     1  
     2  this is some text
     3  and here
     4  too
     5  
     6  blank above
     7  the end

$ awk '{if (NR==1 && NF==0) next};1' data.txt | cat -n
     1  this is some text
     2  and here
     3  too
     4  
     5  blank above
     6  the end

cat -n data2.txt
     1  this is some text
     2  and here
     3  too
     4  
     5  blank above
     6  the end

$ awk '{if (NR==1 && NF==0) next};1' data2.txt | cat -n
     1  this is some text
     2  and here
     3  too
     4  
     5  blank above
     6  the end

更新

sed解决方案也适用于就地替换:

sed -i.bak '1{/^$/d}'  somefile

原始文件将使用.bak扩展名保存

于 2012-06-27T13:15:07.303 回答
3

使用 sed,试试这个:

sed -e '2,$b' -e '/^$/d' < somefile

或进行更改:

sed -i~ -e '2,$b' -e '/^$/d' somefile
于 2012-06-27T13:41:14.610 回答
1

如果第一行为空,则删除实际目录下所有文件的第一行:
find -type f | xargs sed -i -e '2,$b' -e '/^$/d'

于 2015-01-05T13:31:26.997 回答
0

这可能对您有用:

sed '1!b;/^$/d' file
于 2012-06-27T15:49:55.567 回答