'How can I escape shell arguments in AppleScript?
Applescript does not seem to properly escape strings. What am I doing wrong?
Example:
set abc to "funky-!@#'#\"chars"
display dialog abc
display dialog quoted form of abc
Expected / Desired Output:
funky-!@#'#"chars
'funky-!@#\'#"chars'
Actual Output:
funky-!@#'#"chars
'funky-!@#'\''#"chars'
As you can see, it appears that in the actual output Applescript is adding and escaping an extra '
I would be OK with the end characters being either '
or "
and I would also be fine with both the single and double quotes being escaped - but it appears that only the single quotes are actually escaped.
Solution 1:[1]
Use "quoted form of". In general in applescript we are dealing with a "mac" style path so we would do something like this to pass it to the shell...
set theFile to choose file
set dirname to do shell script "dirname " & quoted form of POSIX path of theFile
Solution 2:[2]
No, there is no extra '
added in 'funky-!@#'''#"chars'
.
As already indicated by 17510427541297
, AppleScript's quoted form of
idiom is meant for use in Unix shells, and strings in Unix shells get concatenated if they are placed directly next to each other.
AppleScript's quoted form of abc
just does this: it creates a string enclosed by single quotes, but replaces every single quote '
withing that string with '''
.
This, in fact, creates three separate strings, but the three separate strings are subject to the following string concetanation mechanism in (most) Unix shells:
"funky-!@#'#"chars"
becomes 'funky-!@#'
+ '
+ '#"chars'
The resulting string is fit to get interpreted by Unix shells as a single literal string (without causing parameter expansion issues and the like).
# in Terminal.app
# note the escaping in: osascript -e '...'\''...'
quotedsrt="$(osascript -e '
set abc to "funky-!@#'\''#\"chars"
return quoted form of abc
')"
echo "$quotedsrt" # 'funky-!@#'\''#"chars'
eval echo "$quotedsrt" # funky-!@#'#"chars
echo echo "$quotedsrt" | sh
# escaping mechanism for Bash shell
set +H
esc="'\''"
str="funky-!@#'#\"chars"
str="'${str//\'/${esc}}'"
set -H
echo "$str" # 'funky-!@#'\''#"chars'
eval echo "$str" # funky-!@#'#"chars
echo echo "$str" | sh
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | regulus6633 |
Solution 2 | ccpizza |