How do I find the exact CLI command given to Python? How do I find the exact CLI command given to Python? unix unix

How do I find the exact CLI command given to Python?


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 python3print sys.argv[0], ' '.join( [pipes.quote(s) for s in sys.argv[1:]] )

It just adds quotes around all params.


I would suggest using:

import subprocess, sysprint subprocess.list2cmdline(sys.argv[1:])

The list2cmdline is used to transform a list of arguments into a single string usable from the shell. From the doc:

Translate a sequence of arguments into a command line string, using the same rules as the MS C runtime:

1) Arguments are delimited by white space, which is either a space or a tab.

2) A string surrounded by double quotation marks is interpreted as a single argument, regardless of white space contained within. A quoted string can be embedded in an argument.

3) A double quotation mark preceded by a backslash is interpreted as a literal double quotation mark.

4) Backslashes are interpreted literally, unless they immediately precede a double quotation mark.

5) If backslashes immediately precede a double quotation mark, every pair of backslashes is interpreted as a literal backslash. If the number of backslashes is odd, the last backslash escapes the next double quotation mark as described in rule 3.