在Can you modify text files when committing to subversion? Grant处建议我阻止提交。
但是我不知道如何检查文件以换行符结尾。如何检测文件以换行符结尾?
答案 0 :(得分:16)
@Konrad :tail不会返回空行。我创建了一个文件,其中包含一些不以换行符结尾的文本和一个文件。这是尾部的输出:
$ cat test_no_newline.txt
this file doesn't end in newline$
$ cat test_with_newline.txt
this file ends in newline
$
虽然我发现tail已经获得了最后一个字节选项。所以我将你的脚本修改为:
#!/bin/sh
c=`tail -c 1 $1`
if [ "$c" != "" ]; then echo "no newline"; fi
答案 1 :(得分:12)
甚至更简单:
#!/bin/sh
test "$(tail -c 1 "$1")" && echo "no newline at eof: '$1'"
但是如果你想要更强大的检查:
test "$(tail -c 1 "$1" | wc -l)" -eq 0 && echo "no newline at eof: '$1'"
答案 2 :(得分:6)
这是一个有用的bash函数:
function file_ends_with_newline() {
[[ $(tail -c1 "$1" | wc -l) -gt 0 ]]
}
您可以像以下一样使用它:
if ! file_ends_with_newline myfile.txt
then
echo "" >> myfile.txt
fi
# continue with other stuff that assumes myfile.txt ends with a newline
答案 3 :(得分:3)
你可以使用这样的东西作为你的预提交脚本:
#! /usr/bin/perl while (<>) { $last = $_; } if (! ($last =~ m/\n$/)) { print STDERR "File doesn't end with \\n!\n"; exit 1; }
答案 4 :(得分:3)
为我工作:
tail -n 1 /path/to/newline_at_end.txt | wc --lines
# according to "man wc" : --lines - print the newline counts
所以wc计算换行符的数量,这在我们的情况下是好的。 oneliner根据文件末尾的换行符打印0或1。
答案 5 :(得分:2)
仅使用bash
:
x=`tail -n 1 your_textfile`
if [ "$x" == "" ]; then echo "empty line"; fi
(注意正确复制空白!)
@grom:
tail不返回空行
该死。我的测试文件未在\n
上结束,而是在\n\n
上结束。显然vim
无法创建不以\n
(?)结尾的文件。无论如何,只要“获取最后一个字节”选项有效,一切都很好。
答案 6 :(得分:0)
read
命令无法读取没有换行符的行。
if tail -c 1 "$1" | read -r line; then
echo "newline"
fi
另一个答案。
if [ $(tail -c 1 "$1" | od -An -b) = 012 ]; then
echo "newline"
fi
答案 7 :(得分:0)
我要对自己的答案进行更正。
以下内容应在所有情况下均能正常运行:
Y_test
答案 8 :(得分:0)
您可以使用tail -c 1
获取文件的最后一个字符。
my_file="/path/to/my/file"
if [[ $(tail -c 1 "$my_file") != "" ]]; then
echo "File doesn't end with a new line: $my_file"
fi
答案 9 :(得分:0)
仅使用tail
命令的完整Bash解决方案,也可以正确处理空文件。
#!/bin/bash
# Return 0 if file $1 exists and ending by end of line character,
# else return 1
[[ -s "$1" && -z "$(tail -c 1 "$1")" ]]
-s "$1"
检查文件是否不为空-z "$(tail -c 1 "$1")"
检查其最后一个(现有)字符是否为行尾字符[[...]]
个条件表达式您还可以定义此Bash函数以在脚本中使用它。
# Return 0 if file $1 exists and ending by end of line character,
# else return 1
check_ending_eol() {
[[ -s "$1" && -z "$(tail -c 1 "$1")" ]]
}