mirror of
https://github.com/octoleo/restic.git
synced 2024-11-01 03:12:31 +00:00
77 lines
1.5 KiB
Go
77 lines
1.5 KiB
Go
package backend
|
|
|
|
import (
|
|
"unicode"
|
|
|
|
"github.com/restic/restic/internal/errors"
|
|
)
|
|
|
|
// shellSplitter splits a command string into separater arguments. It supports
|
|
// single and double quoted strings.
|
|
type shellSplitter struct {
|
|
quote rune
|
|
lastChar rune
|
|
}
|
|
|
|
func (s *shellSplitter) isSplitChar(c rune) bool {
|
|
// only test for quotes if the last char was not a backslash
|
|
if s.lastChar != '\\' {
|
|
|
|
// quote ended
|
|
if s.quote != 0 && c == s.quote {
|
|
s.quote = 0
|
|
return true
|
|
}
|
|
|
|
// quote starts
|
|
if s.quote == 0 && (c == '"' || c == '\'') {
|
|
s.quote = c
|
|
return true
|
|
}
|
|
}
|
|
|
|
s.lastChar = c
|
|
|
|
// within quote
|
|
if s.quote != 0 {
|
|
return false
|
|
}
|
|
|
|
// outside quote
|
|
return c == '\\' || unicode.IsSpace(c)
|
|
}
|
|
|
|
// SplitShellStrings returns the list of shell strings from a shell command string.
|
|
func SplitShellStrings(data string) (strs []string, err error) {
|
|
s := &shellSplitter{}
|
|
|
|
// derived from strings.SplitFunc
|
|
fieldStart := -1 // Set to -1 when looking for start of field.
|
|
for i, rune := range data {
|
|
if s.isSplitChar(rune) {
|
|
if fieldStart >= 0 {
|
|
strs = append(strs, data[fieldStart:i])
|
|
fieldStart = -1
|
|
}
|
|
} else if fieldStart == -1 {
|
|
fieldStart = i
|
|
}
|
|
}
|
|
if fieldStart >= 0 { // Last field might end at EOF.
|
|
strs = append(strs, data[fieldStart:])
|
|
}
|
|
|
|
switch s.quote {
|
|
case '\'':
|
|
return nil, errors.New("single-quoted string not terminated")
|
|
case '"':
|
|
return nil, errors.New("double-quoted string not terminated")
|
|
}
|
|
|
|
if len(strs) == 0 {
|
|
return nil, errors.New("command string is empty")
|
|
}
|
|
|
|
return strs, nil
|
|
}
|