Try this:
command_line = 'java -jar "C:\\Program Files (x86)\\SnapBackup\\app\\snapbackup.jar" main'
Explanation
Windows uses backslashes ("\") instead of forward slashes ("/"). This isn't an issue when using the Windows command line itself, but causes problems when using other tools that process escape sequences. These escape sequences each start with a backslash. Typically, strings in Python process them.
https://docs.python.org/2/reference/lexical_analysis.html#string-literals
If you look closely at your error...
Error: Unable to access jarfile C:\Program Files (x86)\SnapBackuppp\snapbackup.jar
...you'll notice that it says SnapBackuppp, instead of SnapBackup\app
What happened?
The "\a" was being processed as the ASCII Bell (BEL) escape sequence (see link above). The other characters with a backslash in front of them weren't affected, because they don't correspond to an escape sequence. (That is, the \P in C:\Program Files (x86), etc.)
To avoid processing the \a as the Bell character, we need to escape the backslash itself, by typing \\a. That way, the second backslash is treated as a "normal" backslash, and the "a" gets read as expected.
You can also tell Python to use a raw (unprocessed) string by doing this:
command_line = r'java -jar "C:\Program Files (x86)\SnapBackup\app\snapbackup.jar" main'
(Note the r just before the first quote character.
Alternatively, you could also use forward slashes.
command_line = 'java -jar "C:/Program Files (x86)/SnapBackup/app/snapbackup.jar" main'
However, this may not work in all cases.
command_line = 'java -jar "C:/Program Files (x86)/SnapBackup/app/snapbackup.jar" main'. Please copy it down, post it as answer and I will give you the votes. You deserve it!