I am trying to escape backtick in bash for long time. I tried escaping with \ but it does not work.
Is it possible to escape backtick in bash?
I="hello.pdf"
var1=`cat <<EOL
data:image/s3,"s3://crabby-images/083e9/083e9af1b5260e7fa949bef4c4950fab0262b128" alt=""
\`\`\`sql
some code here
\`\`\`
EOL`
echo "$var1"
data:image/s3,"s3://crabby-images/14c7e/14c7e465ed062b2dd4fbe654a2cdd4ccf9bbe836" alt=""
```sql
some code here
```
Use $(...)
instead of backtick syntax for the outer command substitution. Thus:
I='foo.png'
var1=$(cat <<EOL
data:image/s3,"s3://crabby-images/083e9/083e9af1b5260e7fa949bef4c4950fab0262b128" alt=""
\`\`\`sql
some code here
\`\`\`
EOL
)
echo "$var1"
See this running, and emitting your desired output, at https://ideone.com/nbOrIu
Otherwise, you need more backslashes:
I='foo.png'
var1=`cat <<EOL
data:image/s3,"s3://crabby-images/083e9/083e9af1b5260e7fa949bef4c4950fab0262b128" alt=""
\\\`\\\`\\\`sql
some code here
\\\`\\\`\\\`
EOL
`
echo "$var1"
...and if you were to nest backticks inside backticks, you'd need to multiply your backslashes yet again. Just Say No to backtick-based command substitution.
By the way, something you might consider to evade this problem altogether:
I='foo.png'
fence='```'
var1=$(cat <<EOL
data:image/s3,"s3://crabby-images/083e9/083e9af1b5260e7fa949bef4c4950fab0262b128" alt=""
${fence}sql
some code here
${fence}
EOL
)
echo "$var1"
...putting the literal backticks in a variable means you no longer need any kind of escaping to prevent them from being treated as syntax.