Command to escape a string in bash Command to escape a string in bash bash bash

Command to escape a string in bash


In Bash:

printf "%q" "hello\world" | someprog

for example:

printf "%q" "hello\world"hello\\world

This could be used through variables too:

printf -v var "%q\n" "hello\world"echo "$var"hello\\world


Pure Bash, use parameter substitution:

string="Hello\ world"echo ${string//\\/\\\\} | someprog


It may not be quite what you want, since it's not a standard command on anyone's systems, but since my program should work fine on POSIX systems (if compiled), I'll mention it anyway. If you have the ability to compile or add programs on the machine in question, it should work.

I've used it without issue for about a year now, but it could be that it won't handle some edge cases. Most specifically, I have no idea what it would do with newlines in strings; a case for \\n might need to be added. This list of characters is not authoritative, but I believe it covers everything else.

I wrote this specifically as a 'helper' program so I could make a wrapper for things like scp commands.

It can likely be implemented as a shell function as well

I therefore present escapify.c. I use it like so:

scp user@host:"$(escapify "/this/path/needs to be escaped/file.c")" destination_file.c

PLEASE NOTE: I made this program for my own personal use. It also will (probably wrongly) assume that if it is given more than one argument that it should just print an unescaped space and continue on. This means that it can be used to pass multiple escaped arguments correctly, but could be seen as unwanted behavior by some.

#include <stdio.h>#include <string.h>#include <stdlib.h>int main(int argc, char **argv){  char c='\0';  int i=0;  int j=1;  /* do not care if no args passed; escaped nothing is still nothing. */  if(argc < 2)  {    return 0;  }  while(j<argc)  {    while(i<strlen(argv[j]))    {      c=argv[j][i];      /* this switch has no breaks on purpose. */      switch(c)      {      case ';':      case '\'':      case ' ':      case '!':      case '"':      case '#':      case '$':      case '&':      case '(':      case ')':      case '|':      case '*':      case ',':      case '<':      case '>':      case '[':      case ']':      case '\\':      case '^':      case '`':      case '{':      case '}':        putchar('\\');      default:        putchar(c);      }      i++;    }    j++;    if(j<argc) {      putchar(' ');    }    i=0;  }  /* newline at end */  putchar ('\n');  return 0;}