也许有足够的问题和/或解决方案,但我无法帮助自己解决这个问题:我已经得到了以下命令我在bash-script中使用:
var=$(cat "$filename" | grep "something" | cut -d'"' -f2)
现在,由于一些问题,我必须将所有代码翻译成python。我之前从未使用过python,我完全不知道如何处理postet命令。任何想法如何用python解决?
答案 0 :(得分:67)
您需要更好地理解python语言及其标准库以翻译表达式
cat "$filename":读取文件cat "$filename"
并将内容转储到stdout
|
:管道从上一个命令重定向stdout
并将其提供给下一个命令的stdin
grep "something":搜索正则表达式something
纯文本数据文件(如果已指定)或在stdin中搜索匹配的行。
cut -d'"' -f2:使用特定分隔符拆分字符串,并从结果列表中索引/拼接特定字段
Python等效
cat "$filename" | with open("$filename",'r') as fin: | Read the file Sequentially
| for line in fin: |
-----------------------------------------------------------------------------------
grep 'something' | import re | The python version returns
| line = re.findall(r'something', line)[0] | a list of matches. We are only
| | interested in the zero group
-----------------------------------------------------------------------------------
cut -d'"' -f2 | line = line.split('"')[1] | Splits the string and selects
| | the second field (which is
| | index 1 in python)
import re
with open("filename") as origin_file:
for line in origin_file:
line = re.findall(r'something', line)
if line:
line = line[0].split('"')[1]
print line
答案 1 :(得分:7)
在Python中,没有外部依赖关系,它就像这样(未经测试):
with open("filename") as origin:
for line in origin:
if not "something" in line:
continue
try:
print line.split('"')[1]
except IndexError:
print
答案 2 :(得分:4)
您需要使用os.system
模块来执行shell命令
import os
os.system('command')
如果要保存输出供以后使用,则需要使用subprocess
模块
import subprocess
child = subprocess.Popen('command',stdout=subprocess.PIPE,shell=True)
output = child.communicate()[0]
答案 3 :(得分:2)
要将命令翻译为python,请参阅以下内容: -
1)cat命令的替代方法是refer this。以下是样本
>>> f = open('workfile', 'r')
>>> print f
2)grep命令的替代参考this
3)Cut命令的替代参考this
答案 4 :(得分:2)
您需要在文件的行上循环,您需要了解string methods
with open(filename,'r') as f:
for line in f.readlines():
# python can do regexes, but this is for s fixed string only
if "something" in line:
idx1 = line.find('"')
idx2 = line.find('"', idx1+1)
field = line[idx1+1:idx2-1]
print(field)
你需要a method to pass the filename to your python program,当你在它的时候,也许还要搜索的字符串......
对于未来,如果可以,请尝试提出更有针对性的问题,