当前位置: 首页>>技术教程>>正文


bash – grep apple文件和grep “apple”文件有什么区别?

, ,

问题描述

grep apple filegrep "apple" file有什么区别?引号有什么作用?它们看起来都可以工作,并且做的完全一样(显示同一行)。

最佳方法

引号会影响 shell 程序认为哪些特殊字符并具有句法含义。在您的示例中,这没有什么区别,因为apple不包含此类字符。

但考虑另一个示例:grep apple tree file将在文件treefile中搜索单词apple,而grep "apple tree" file将在文件file中搜索单词apple tree。引号告诉bash,"apple tree"中的单词空间不会启动新参数,而应成为当前参数的一部分。 grep apple\ tree file会产生相同的结果,因为\告诉bash忽略下一个字符的特殊含义并按字面​​意义对待它。

次佳方法

当在命令行上使用双引号允许评估,单引号阻止评估,没有引号允许通配符扩展。作为人为的例子:

[user@work test]$ ls .
A.txt B.txt C.txt D.cpp

# The following is the same as writing echo 'A.txt B.txt C.txt D.cpp'
[user@work test]$ echo *
A.txt B.txt C.txt D.cpp

[user@work test]$ echo "*"
*

[user@work test]$ echo '*'
*

# The following is the same as writing echo 'A.txt B.txt C.txt'
[user@work test]$ echo *.txt
A.txt B.txt C.txt

[user@work test]$ echo "*.txt"
*.txt

[user@work test]$ echo '*.txt'
*.txt

[user@work test]$ myname=is Fred; echo $myname
bash: Fred: command not found

[user@work test]$ myname=is\ Fred; echo $myname
is Fred

[user@work test]$ myname="is Fred"; echo $myname
is Fred

[user@work test]$ myname='is Fred'; echo $myname
is Fred

了解报价的工作方式对于了解Bash至关重要。例如:

# for will operate on each file name separately (like an array), looping 3 times.
[user@work test]$ for f in $(echo *txt); do echo "$f"; done;
A.txt
B.txt
C.txt

# for will see only the string, 'A.txt B.txt C.txt' and loop just once.
[user@work test]$ for f in "$(echo *txt)"; do echo "$f"; done;
A.txt B.txt C.txt

# this just returns the string - it can't be evaluated in single quotes.
[user@work test]$ for f in '$(echo *txt)'; do echo "$f"; done;
$(echo *txt)

# This returns three distinct elements, like an array.
[user@work test]$ echo='echo *.txt'; echo $($echo)
A.txt B.txt C.txt

# This returns what looks like three elements, but it is actually a single string.
[user@work test]$ echo='echo *.txt'; echo "$($echo)"
A.txt B.txt C.txt

# This cannot be evaluated, so it returns whatever is between quotes, literally.
[user@work test]$ echo='echo *.txt'; echo '$($echo)'
$($echo)

您可以在双引号内使用单引号,也可以在双引号内使用双引号,但是不应对单引号内的双引号进行处理(不转义),它们将按字面意义进行解释。单引号内的单引号不应该做(不要转义)。

您需要对引号有透彻的了解才能有效使用Bash。很重要!

通常,如果我希望Bash将某些内容扩展为元素(如数组),则不使用引号;对于不需更改的文字字符串,请使用单引号;对于变量,我可以自由使用双引号可能会返回任何类型的字符串。这是为了确保保留空格和特殊字符。

参考资料

本文由Ubuntu问答整理, 博文地址: https://ubuntuqa.com/article/11482.html,未经允许,请勿转载。