system : Centos 6.7 Lasted
Shell : bash
python : 2.6.6
这让我很困惑!下面的例子:
5个文件:
a1111 a2222 b1111 b2222 t.py
t.py 内容:
import sys
if __name__ == '__main__':
a1 = sys.argv[1]
print 'id(a1)=%s, len(a1)=%s, str(a1)=%s, type(a1)=%s' % (id(a1), len(a1), str(a1), type(a1))
这样做:
ls | xargs -I{} echo $(python t.py '{}')
输出:
id(a1)=139821454683184, len(a1)=2, str(a1)=a1111, type(a1)=<type 'str'>
id(a1)=139821454683184, len(a1)=2, str(a1)=a2222, type(a1)=<type 'str'>
id(a1)=139821454683184, len(a1)=2, str(a1)=b1111, type(a1)=<type 'str'>
id(a1)=139821454683184, len(a1)=2, str(a1)=b2222, type(a1)=<type 'str'>
id(a1)=139821454683184, len(a1)=2, str(a1)=t.py, type(a1)=<type 'str'>
我的问题是为什么 len(a1)=2,但是 str(a1)=a1111 ?, 字符串长度显然不等于 2 ,
没有 echo 也可以,但这不是我的问题。我使用 xargs -p 选项来打印 cmd
ls | xargs -I{} python t.py '{}'
最佳答案
发生这种情况的原因是 $(python t.py '{}')
表达式在传递给 xargs
之前被评估。 $(python t.py '{}')
打印 "id(a1)=139821454683184, len(a1)=2, str(a1)={}, type(a1)=",这样它就会被传递给 xargs
,它用每个文件名替换 {}
.. .
这是一个 shell 跟踪,显示了正在发生的事情:
$ set -x # turn on tracing
$ ls | xargs -I{} echo $(python t.py '{}')
+ ls
++ python t.py '{}'
+ xargs '-I{}' echo 'id(a1)=4560222208,' 'len(a1)=2,' 'str(a1)={},' 'type(a1)=<type' ''\''str'\''>'
id(a1)=4560222208, len(a1)=2, str(a1)=a1111, type(a1)=<type 'str'>
id(a1)=4560222208, len(a1)=2, str(a1)=a2222, type(a1)=<type 'str'>
id(a1)=4560222208, len(a1)=2, str(a1)=b1111, type(a1)=<type 'str'>
id(a1)=4560222208, len(a1)=2, str(a1)=b2222, type(a1)=<type 'str'>
id(a1)=4560222208, len(a1)=2, str(a1)=t.py, type(a1)=<type 'str'>
“+”行显示 shell 实际执行的内容。 (你可以忽略
xargs
的参数显示在单引号中;这只是因为t.py
的输出被拆分为单词,但其输出中的其他shell元字符被忽略,并且直接在命令行上获得相同的效果你必须引用 (/escape) 参数。)顺便说一句,还有另一个赠品,这就是正在发生的事情:每一行的 id 都是相同的,但是如果
t.py
实际上是为每一行单独执行的,你会得到不同的 id。关于python - 混用python和bash shell的xargs命令疑惑,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/37235122/