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 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626
|
// Copyright (c) 2018-2022, Sylabs Inc. All rights reserved.
// This software is licensed under a 3-clause BSD license. Please consult the
// LICENSE.md file distributed with the sources of this project regarding your
// rights to use or distribute this software.
package fs
import (
"fmt"
"io"
"os"
"path/filepath"
"sort"
"strings"
"syscall"
"github.com/sylabs/singularity/v4/pkg/sylog"
"golang.org/x/sys/unix"
)
const (
kiB = 1024
miB = kiB * 1024
giB = miB * 1024
tiB = giB * 1024
)
// Abs resolves a path to an absolute path.
// The supplied path can not be an empty string.
func Abs(path string) (string, error) {
if path == "" {
return "", fmt.Errorf("path is empty")
}
return filepath.Abs(path)
}
// EnsureFileWithPermission takes a file path, and 1. Creates it with
// the specified permission, or 2. ensures a file is the specified
// permission.
func EnsureFileWithPermission(fn string, mode os.FileMode) error {
fs, err := os.OpenFile(fn, os.O_CREATE, mode)
if err != nil {
return err
}
defer fs.Close()
// check the permissions.
fsinfo, err := fs.Stat()
if err != nil {
return err
}
if currentMode := fsinfo.Mode(); currentMode != mode {
sylog.Warningf("File mode (%o) on %s needs to be %o, fixing that...", currentMode, fn, mode)
if err := fs.Chmod(mode); err != nil {
return err
}
}
return nil
}
// IsFile check if name component is regular file.
func IsFile(name string) bool {
info, err := os.Stat(name)
if err != nil {
return false
}
return info.Mode().IsRegular()
}
// IsDir check if name component is a directory.
func IsDir(name string) bool {
info, err := os.Stat(name)
if err != nil {
return false
}
return info.Mode().IsDir()
}
// IsLink check if name component is a symlink.
func IsLink(name string) bool {
info, err := os.Lstat(name)
if err != nil {
return false
}
return info.Mode()&os.ModeSymlink != 0
}
// IsOwner checks if named file is owned by user identified with uid.
func IsOwner(name string, uid uint32) bool {
info, err := os.Stat(name)
if err != nil {
return false
}
//nolint:forcetypeassert
return info.Sys().(*syscall.Stat_t).Uid == uid
}
// IsGroup checks if named file is owned by group identified with gid.
func IsGroup(name string, gid uint32) bool {
info, err := os.Stat(name)
if err != nil {
return false
}
//nolint:forcetypeassert
return info.Sys().(*syscall.Stat_t).Gid == gid
}
// IsExec check if name component has executable bit permission set.
func IsExec(name string) bool {
info, err := os.Stat(name)
if err != nil {
return false
}
//nolint:forcetypeassert
return info.Sys().(*syscall.Stat_t).Mode&syscall.S_IXUSR != 0
}
// IsSuid check if name component has setuid bit permission set.
func IsSuid(name string) bool {
info, err := os.Stat(name)
if err != nil {
return false
}
//nolint:forcetypeassert
return info.Sys().(*syscall.Stat_t).Mode&syscall.S_ISUID != 0
}
// MkdirAll creates a directory and parents if it doesn't exist with
// mode after umask reset.
func MkdirAll(path string, mode os.FileMode) error {
oldmask := syscall.Umask(0)
defer syscall.Umask(oldmask)
return os.MkdirAll(path, mode)
}
// Mkdir creates a directory if it doesn't exist with
// mode after umask reset.
func Mkdir(path string, mode os.FileMode) error {
oldmask := syscall.Umask(0)
defer syscall.Umask(oldmask)
return os.Mkdir(path, mode)
}
// RootDir returns the root directory of path (rootdir of /my/path is /my).
// Returns "." if path is empty.
func RootDir(path string) string {
if path == "" {
return "."
}
p := filepath.Clean(path)
iter := filepath.Dir(p)
for iter != "/" && iter != "." {
p = iter
iter = filepath.Dir(p)
}
return p
}
// walkSymRelative follows and resolves all symlinks found in a path
// located in root, it ensures symlinks resolution never go past the
// provided root path.
func walkSymRelative(path string, root string, maxLinks uint) string {
// symlinks counter
symlinks := uint(0)
// generate clean absolute path
absRoot := filepath.Join("/", root)
absPath := filepath.Join("/", path)
sep := string(os.PathSeparator)
// get path components by skipping the first
// character as it will be always "/" to avoid
// to add an empty first element in the array
comp := strings.Split(absPath[1:], sep)
// start from absolute root path
dest := absRoot
for i := 0; i < len(comp); i++ {
dest = filepath.Join(dest, comp[i])
// this call can return various errors that we don't need
// or want to deal with like a lack of permission for a
// directory traversal, not a symlink, non-existent path.
// As this function doesn't return any error we ignore them
// and generate the path assuming there is no hidden symlink
// in the next components
d, err := os.Readlink(dest)
if err != nil {
continue
}
symlinks++
newDest := absRoot
if !filepath.IsAbs(d) {
// this is a relative target, we are taking the current
// parent path of dest concatenated with the target
parentDest := filepath.Dir(dest)
dest = filepath.Join(parentDest, d)
// if we are outside of root, we join the relative target
// with "/" to obtain an absolute path as we were at root
// of "/" thanks to filepath.Clean implicitly called by
// filepath.Join
if !strings.HasPrefix(dest, absRoot) {
d = filepath.Join("/", d)
dest = filepath.Join(absRoot, d)
} else {
if strings.HasPrefix(dest, parentDest) {
// trivial case where the resulting path is
// within the current path
d = strings.TrimPrefix(dest, parentDest)
newDest = parentDest
} else {
// we go back in the hierarchy and take a
// naive approach by trimming root prefix
// from path instead of finding the exact
// path chunk involving too much complexity
d = strings.TrimPrefix(dest, absRoot)
}
}
} else {
// it's an absolute path, simply concatenate root
// and symlink target
dest = filepath.Join(absRoot, d)
}
// too many symbolic links, stop and return the
// resolved path as is, should not happen with
// sane images
if symlinks == maxLinks {
break
}
// symlink target point to the current destination,
// nothing to do
if len(d) == 0 {
continue
}
dest = newDest
// either replace current path components or merge
// the components of the symlink target with the next
// components
if i+1 < len(comp) {
comp = append(strings.Split(d[1:], sep), comp[i+1:]...)
} else {
comp = strings.Split(d[1:], sep)
}
i = -1
}
// ensure the final path is absolute
return filepath.Join("/", strings.TrimPrefix(dest, absRoot))
}
// EvalRelative evaluates symlinks in path relative to root path, it returns
// a path as if it was evaluated from chroot. This function always returns
// an absolute path and is intended to be used to resolve mount points
// destinations, it helps the runtime to not bind mount directories/files
// outside of the container image provided by the root argument.
func EvalRelative(path string, root string) string {
// return "/ if path is empty
if path == "" {
return "/"
}
// resolve path and allow up to 40 symlinks
return walkSymRelative(path, root, 40)
}
// Touch behaves like touch command.
func Touch(path string) error {
f, err := os.OpenFile(path, os.O_CREATE|os.O_WRONLY, 0o644)
if err != nil {
return err
}
f.Close()
return nil
}
// MakeTmpDir creates a temporary directory with provided mode
// in os.TempDir if basedir is "". This function assumes that
// basedir exists, so it's the caller's responsibility to create
// it before calling it.
func MakeTmpDir(basedir, pattern string, mode os.FileMode) (string, error) {
name, err := os.MkdirTemp(basedir, pattern)
if err != nil {
return "", fmt.Errorf("failed to create temporary directory: %s", err)
}
if err := os.Chmod(name, mode); err != nil {
return "", fmt.Errorf("failed to change permission of %s: %s", name, err)
}
return name, nil
}
// MakeTmpFile creates a temporary file with provided mode
// in os.TempDir if basedir is "". This function assumes that
// basedir exists, so it's the caller's responsibility to create
// it before calling it.
func MakeTmpFile(basedir, pattern string, mode os.FileMode) (*os.File, error) {
f, err := os.CreateTemp(basedir, pattern)
if err != nil {
return nil, fmt.Errorf("failed to create temporary file: %s", err)
}
if err := f.Chmod(mode); err != nil {
return nil, fmt.Errorf("failed to change permission of %s: %s", f.Name(), err)
}
return f, nil
}
// PathExists simply checks if a path exists.
func PathExists(path string) (bool, error) {
if _, err := os.Stat(path); os.IsNotExist(err) {
return false, nil
} else if err != nil {
return false, err
}
return true, nil
}
// CopyFile copies file to the provided location making sure the resulting
// file has permission bits set to the mode prior to umask. To honor umask
// correctly the resulting file must not exist.
func CopyFile(from, to string, mode os.FileMode) (err error) {
exist, err := PathExists(to)
if err != nil {
return err
}
if exist {
return fmt.Errorf("file %s already exists", to)
}
dstFile, err := os.OpenFile(to, os.O_CREATE|os.O_TRUNC|os.O_WRONLY, mode)
if err != nil {
return fmt.Errorf("could not open %s: %v", to, err)
}
defer func() {
dstFile.Close()
if err != nil {
os.Remove(to)
}
}()
srcFile, err := os.Open(from)
if err != nil {
return fmt.Errorf("could not open file to copy: %v", err)
}
defer srcFile.Close()
_, err = io.Copy(dstFile, srcFile)
if err != nil {
return fmt.Errorf("could not copy file: %v", err)
}
return nil
}
// CopyFileAtomic copies file to a temporary file in the same destination directory
// and the renames to the final name. This is useful to avoid races where concurrent copies
// could happen to the same destination. It makes sure the resulting
// file has permission bits set to the mode prior to umask. To honor umask
// correctly the resulting file must not exist.
func CopyFileAtomic(from, to string, mode os.FileMode) (err error) {
// MakeTmpFile forces mode with chmod, so manually apply umask to mode so we
// act like other file copy functions that respect umask
oldmask := syscall.Umask(0)
syscall.Umask(oldmask)
mode = mode &^ os.FileMode(oldmask)
parentDir := filepath.Dir(to)
tmpFile, err := MakeTmpFile(parentDir, "tmp-copy-", mode)
if err != nil {
return fmt.Errorf("could not open temporary file for copy: %v", err)
}
defer func() {
tmpFile.Close()
os.Remove(tmpFile.Name())
}()
srcFile, err := os.Open(from)
if err != nil {
return fmt.Errorf("could not open file to copy: %v", err)
}
defer srcFile.Close()
_, err = io.Copy(tmpFile, srcFile)
if err != nil {
return fmt.Errorf("could not copy file: %v", err)
}
srcFile.Close()
tmpFile.Close()
err = os.Rename(tmpFile.Name(), to)
if err != nil {
return fmt.Errorf("could not rename temporary file in copy: %v", err)
}
return nil
}
// IsReadable returns true if the file that is passed in
// is readable by the user (note: uid is checked, not euid).
func IsReadable(path string) bool {
return unix.Access(path, unix.R_OK) == nil
}
// IsWritable returns true if the file that is passed in
// is writable by the user (note: uid is checked, not euid).
func IsWritable(path string) bool {
return unix.Access(path, unix.W_OK) == nil
}
// FirstExistingParent walks up the supplied path and returns the first
// parent that exists. If the supplied path exists, it will just return that path.
// Assumes cwd and the root directory always exists
func FirstExistingParent(path string) (string, error) {
p := filepath.Clean(path)
for p != "/" && p != "." {
exists, err := PathExists(p)
if err != nil {
return "", err
}
if exists {
return p, nil
}
p = filepath.Dir(p)
}
return p, nil
}
// ForceRemoveAll removes a directory like os.RemoveAll, except that it will
// chmod any directory who's permissions are preventing the removal of contents
func ForceRemoveAll(path string) error {
// First try to remove the directory with os.RemoveAll. This will remove
// as much as it can, and return the first error (if any) - so we can avoid
// messing with permissions unless we need to.
err := os.RemoveAll(path)
// Anything other than an permission error is out of scope for us to deal
// with here.
if err == nil || !os.IsPermission(err) {
return err
}
// At this point there is a permissions error. Removal of files is dependent
// on the permissions of the containing directory, so walk the (remaining)
// tree and set perms that work.
sylog.Debugf("Forcing permissions to remove %q completely", path)
errors := 0
err = PermWalk(path, func(path string, f os.FileInfo, err error) error {
if err != nil {
sylog.Errorf("Unable to access path %s: %s", path, err)
errors++
return nil
}
// Directories must have the owner 'rx' bits to allow traversal, reading content, and the 'w' bit
// so their content can be deleted by the user when the bundle is deleted
if f.Mode().IsDir() {
if err := os.Chmod(path, f.Mode().Perm()|0o700); err != nil {
sylog.Errorf("Error setting permissions to remove %s: %s", path, err)
errors++
}
}
return nil
})
// Catastrophic error during the permission walk
if err != nil {
sylog.Errorf("Unable to set permissions to remove %q: %s", path, err)
}
// Individual errors accumulated while setting permissions in the walk
if errors > 0 {
sylog.Errorf("%d errors were encountered when setting permissions to remove bundle", errors)
}
// Call RemoveAll again to get rid of things... even if we had errors when
// trying to set permissions, so we remove as much as possible.
return os.RemoveAll(path)
}
// PermWalk is similar to filepath.Walk - but:
// 1. The skipDir checks are removed (we never want to skip anything here)
// 2. Our walk will call walkFn on a directory *before* attempting to look
// inside that directory.
func PermWalk(root string, walkFn filepath.WalkFunc) error {
info, err := os.Lstat(root)
if err != nil {
return fmt.Errorf("could not access path %s: %s", root, err)
}
return permWalk(root, info, walkFn)
}
func permWalk(path string, info os.FileInfo, walkFn filepath.WalkFunc) error {
if !info.IsDir() {
return walkFn(path, info, nil)
}
// Unlike filepath.walk we call walkFn *before* trying to list the content of
// the directory, so that walkFn has a chance to assign perms that allow us into
// the directory, if we can't get in there already.
if err := walkFn(path, info, nil); err != nil {
return err
}
names, err := readDirNames(path)
if err != nil {
return err
}
for _, name := range names {
filename := filepath.Join(path, name)
fileInfo, err := os.Lstat(filename)
if err != nil {
if err := walkFn(filename, fileInfo, err); err != nil {
return err
}
} else {
err = permWalk(filename, fileInfo, walkFn)
if err != nil {
if !fileInfo.IsDir() {
return err
}
}
}
}
return nil
}
// PermWalkRaiseError is similar to filepath.Walk - but:
// 1. The skipDir checks are removed (we never want to skip anything here)
// 2. Our walk will call walkFn on a directory *before* attempting to look
// inside that directory.
// 3. We back out of the recursion at the *first* error... we don't attempt
// to go through as much as we can.
func PermWalkRaiseError(root string, walkFn filepath.WalkFunc) error {
info, err := os.Lstat(root)
if err != nil {
return fmt.Errorf("could not access path %s: %s", root, err)
}
return permWalkRaiseError(root, info, walkFn)
}
func permWalkRaiseError(path string, info os.FileInfo, walkFn filepath.WalkFunc) error {
if !info.IsDir() {
return walkFn(path, info, nil)
}
// Unlike filepath.walk we call walkFn *before* trying to list the content of
// the directory, so that walkFn has a chance to assign perms that allow us into
// the directory, if we can't get in there already.
if err := walkFn(path, info, nil); err != nil {
return err
}
names, err := readDirNames(path)
if err != nil {
return err
}
for _, name := range names {
filename := filepath.Join(path, name)
fileInfo, err := os.Lstat(filename)
if err != nil {
return err
}
if err = permWalkRaiseError(filename, fileInfo, walkFn); err != nil {
return err
}
}
return nil
}
// readDirNames reads the directory named by dirname and returns
// a sorted list of directory entries.
func readDirNames(dirname string) ([]string, error) {
f, err := os.Open(dirname)
if err != nil {
return nil, err
}
names, err := f.Readdirnames(-1)
f.Close()
if err != nil {
return nil, err
}
sort.Strings(names)
return names, nil
}
// FindSize takes a size in bytes and converts it to a human-readable string representation
// expressing kB, MB, GB or TB (whatever is smaller, but still larger than one).
func FindSize(size int64) string {
var factor float64
var unit string
switch {
case size < miB:
factor = kiB
unit = "KiB"
case size < giB:
factor = miB
unit = "MiB"
case size < tiB:
factor = giB
unit = "GiB"
default:
factor = tiB
unit = "TiB"
}
return fmt.Sprintf("%.2f %s", float64(size)/factor, unit)
}
|