JamesB
JamesB

Reputation: 31

python command substitution for linux commands

I am trying to use command substitution for building a linux command from a python script, but am not able to get the following simple example to work:

LS="/bin/ls -l"
FILENAME="inventory.txt"

cmd = "_LS _FILENAME "
ps= subprocess.Popen(cmd,shell=True,stdout=subprocess.PIPE,stderr=subprocess.STDOUT)
output = ps.communicate()[0]
print output

Thanks!

JB

Upvotes: 1

Views: 2744

Answers (1)

unutbu
unutbu

Reputation: 880299

Use string substitution:

cmd = '{} {}'.format(LS, FILENAME)

or (in Python2.6):

cmd = '{0} {1}'.format(LS, FILENAME)

import subprocess
import shlex

LS="/bin/ls -l"
FILENAME="inventory.txt"

cmd = '{} {}'.format(LS, FILENAME)    
ps = subprocess.Popen(shlex.split(cmd),
                      stdout = subprocess.PIPE,
                      stderr = subprocess.STDOUT)
output, err = ps.communicate()
print(output)

Or, using the sh module:

import sh
FILENAME = 'inventory.txt'
print(sh.ls('-l', FILENAME, _err_to_out=True))

Upvotes: 0

Related Questions