blob: b991074045b2fea6f6a009e8a873f71f430ab018 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
|
package nametransform
import (
"fmt"
"strings"
)
// IsValidName checks if `name` is a valid name for a normal file
// (does not contain null bytes or "/" etc...).
func IsValidName(name string) error {
if name == "" {
return fmt.Errorf("empty input")
}
if len(name) > NameMax {
return fmt.Errorf("too long")
}
// A name can never contain a null byte or "/". Make sure we never return those
// to the kernel, even when we read a corrupted (or fuzzed) filesystem.
if strings.Contains(name, "\000") || strings.Contains(name, "/") {
return fmt.Errorf("contains forbidden bytes")
}
// The name should never be "." or "..".
if name == "." || name == ".." {
return fmt.Errorf(". and .. are forbidden names")
}
return nil
}
|