I want to find out from inside the script -- the exact command I used to fire it up. I tried the following:
#!/usr/bin/env python
import sys, os
print os.path.basename(sys.argv[0]), sys.argv[1:]
But it loses info:
$ 1.py -1 dfd 'gf g' "df df"
1.py ['-1', 'dfd', 'gf g', 'df df']
You see -- it has already lost the info as to wither I've used double quotes, single quotes or there have been no quotes at all -- in the command.
Edit:
Here's what I'm using. All args in my script have default values, and after args are parsed with argparse:
args = parser.parse_args()
I log them or if there's a log -- overwrite them:
logName = "." + (os.path.splitext(os.path.basename(sys.argv[0])))[0] + ".json"
if os.path.exists(logName):
print "!!! I've found log", logName
Args = bk_loads_json(logName)
for arg in Args:
exec('args.{0} = Args["{0}"]'.format(arg))
else:
print "!!! the log of args is saved to", logName
bk_saves_json(args.__dict__, logName)
defuns mentioned:
def bk_saves_json(myCustomDct, flNm):
"Takes dict, and writes it to the file."
FlNm = open(flNm, 'w')
tmpJsn = json.dumps(myCustomDct, sort_keys=True, indent=4)
FlNm.write(tmpJsn)
FlNm.close()
def bk_loads_json(flNm):
"Takes file of the json and returns it as a dict."
json_data=open(flNm)
data = json.load(json_data)
json_data.close()
return data
解决方案
The information you're looking for (command params including quotes) is not available.
The shell (bash), not python, reads and interprets quotes--by the time python or any other spawned program sees the parameters, the quotes are removed. (Except for quoted quotes, of course.)
More detail
When you type a command into the shell, you use quotes to tell the shell which tokens on your command line to treat as a single parameter. Whitespace is used to break up your command line into individual params, and quotes are used to override that--to include whitespace within a parameter instead of to separate parameters.
The shell then forks the executable and passes to it your list of parameters. Any unquoted quotes have already been "used up" by the shell in its parsing of your command line, so they effectively no longer exist at this stage, and your command (python) doesn't see them.
By the way, I have to wonder why you care about getting the quotes. I have to say that at first glance it seems misguided. Perhaps we can help if you tell us why you feel you need them?
EDIT
In respose to OP's comment below, here's a way to output the original command line--or at least one that's functionally equivalent:
import pipes # or shlex if python3
print sys.argv[0], ' '.join( [pipes.quote(s) for s in sys.argv[1:]] )
It just adds quotes around all params.