Hi,
I have the issue that Python change the string value of my parameter arguments.
Here are my skript parameter:
"C:\Ordner 1\" "D:\test 2\"
import sys
if len(sys.argv) > 1:
print(sys.argv[1])
print(sys.argv[2])
The result is:
C:\Users\Joss\AppData\Local\Programs\Python\Python37-32\python.exe E:/test.py "C:\Ordner 1\" D:\test" 2\"
C:\Ordner 1" D:\test
2"
As you can see the parameters are torn in the wrong place because the escape character was executed.
What I would like to see should be:
C:\Ordner 1\
D:\test 2\
I think Python shouldn't change any input string and give me the raw-string !
Python is not changing anything. The arguments arrive with the changes already made. The same thing would happen if you were calling a program written in any language. The changes are made by the shell you are using to enter the command.
The easy fix is use / instead of \ when typing the file paths.
You can use double slashes before the quotes as shown below:
C:\Users\Joss\AppData\Local\Programs\Python\Python37-32\python.exe E:/test.py "C:\Ordner 1\\" D:\test" 2\\"
As I have now found out, it is not a Python problem.
Thx to @
deanhystad for the hint!
The console also works with escape characters, which means that the string is not passed on as I assumed.
A work around for me whould be the following: "C:\Ordner 1\ " "D:\test 2\ " ... a space between \ and "
I don't think that is a workaround. \t is the escape sequence for a tab. I'm surprised that didn't cause a problem. I wonder if the shell also ignores \b (backspace), \n (newline) \f (form feed), etc...
Forget about the backslashes. Windows is fine with you using / instead of \ in a file path. Your command line using /.
Output:
python test.py C:/Ordner 1/ D:/test 2/
I don't know why you needed the trailing space.
I just noticed a problem in your original post.
C:\Users\Joss\AppData\Local\Programs\Python\Python37-32\python.exe E:/test.py "C:\Ordner 1\" D:\test" 2\"
Even if the \" had not caused a problem, the quotes were still in the wrong place.
The issue you're encountering is due to the interpretation of escape characters in command-line parameters. In command-line parameters, the backslash \ is typically used to escape special characters, causing the backslashes in your input paths to be interpreted as escape characters rather than regular characters. To obtain the raw path strings, you can use raw strings to represent the parameters.
In Python, you can create a raw string by prefixing the string with a lowercase "r". This instructs Python not to interpret escape characters in the string. For example:
import sys
if len(sys.argv) > 1:
path1 = r"C:\Ordner 1\"
path2 = r"D:\test 2\"
print(path1)
print(path2)