3

我正在使用 awk 处理一些程序文件,删除调试部分。其中一些文件没有尾随换行符。我想让 awk 使用换行符逐行打印文件,但如果不存在,则不要在末尾添加额外的换行符。

例如

a
b // no newline after the "b"

正在变成这样:

a
b<NEWLINE>

我不想添加这个换行符的原因是我试图用来cmp --silent $file $file_without_debug_sections确定是使用原始文件还是新文件。我关心的原因我试图限制在我的编译器输出中具有调试扩展名的文件的数量。只有在不同的情况下才使用非调试版本,也可以清楚地知道哪些文件被这个“删除调试部分”过程更改了。

总而言之,我怎样才能让 awk 逐行浏览文件,但如果不存在则在末尾不添加换行符?

我当前的代码如下所示:

{    
    if ($0 ~ /^[ \t]*\/\/[ \t]*\/\*[ \t]*begin[ \t]+debug[ \t]*$/) { 
        print "/* begin debug"; 
    } else if ($0 ~ /^[ \t]*\/\/[ \t]*end[\ t]+debug[\t ]*\*\/[ \t]*$/) { 
        print "end debug */";
    } else print;
}

我尝试printprintf "%s", $0. 但随后它会从每一行中省略一个换行符。

4

2 回答 2

3

print line将您的陈述更改为printf "%s%s", line, RT

例如

$ seq 3 > s3
$ head -c -1 s3 > s3nn                      # remove last newline
$ awk '$1=$1{printf "%s%s", $0, RT}' s3nn
1
2
3$ awk '$1=$1' s3nn
1
2
3
$ cat s3nn
1
2
3$

在你print没有参数的情况下等于print $0

于 2016-01-05T16:58:07.177 回答
1

awk如果缺少换行符,您可以简单地使用在末尾附加一个换行符的事实,如下所示:

# Let's say file1 does not contain a newline at the end. Since
# awk will add a newline at the end if it is missing, file1_debug
# WILL contain a newline at the end.
awk -f remove_debug.awk file1 > file1_debug

# Use awk again before comparing the files, this makes sure that when
# we compare them, both files have a newline at the end.
if cmp --silent <(awk '1' file1) <(awk '1' file1_debug) ; then
    echo "The files are the same"
else
    echo "The files differ"
fi
于 2016-01-05T16:46:55.397 回答