Source file src/os/file.go

     1  // Copyright 2009 The Go Authors. All rights reserved.
     2  // Use of this source code is governed by a BSD-style
     3  // license that can be found in the LICENSE file.
     4  
     5  // Package os provides a platform-independent interface to operating system
     6  // functionality. The design is Unix-like, although the error handling is
     7  // Go-like; failing calls return values of type error rather than error numbers.
     8  // Often, more information is available within the error. For example,
     9  // if a call that takes a file name fails, such as [Open] or [Stat], the error
    10  // will include the failing file name when printed and will be of type
    11  // [*PathError], which may be unpacked for more information.
    12  //
    13  // The os interface is intended to be uniform across all operating systems.
    14  // Features not generally available appear in the system-specific package syscall.
    15  //
    16  // Here is a simple example, opening a file and reading some of it.
    17  //
    18  //	file, err := os.Open("file.go") // For read access.
    19  //	if err != nil {
    20  //		log.Fatal(err)
    21  //	}
    22  //
    23  // If the open fails, the error string will be self-explanatory, like
    24  //
    25  //	open file.go: no such file or directory
    26  //
    27  // The file's data can then be read into a slice of bytes. Read and
    28  // Write take their byte counts from the length of the argument slice.
    29  //
    30  //	data := make([]byte, 100)
    31  //	count, err := file.Read(data)
    32  //	if err != nil {
    33  //		log.Fatal(err)
    34  //	}
    35  //	fmt.Printf("read %d bytes: %q\n", count, data[:count])
    36  //
    37  // # Concurrency
    38  //
    39  // The methods of [File] correspond to file system operations. All are
    40  // safe for concurrent use. The maximum number of concurrent
    41  // operations on a File may be limited by the OS or the system. The
    42  // number should be high, but exceeding it may degrade performance or
    43  // cause other issues.
    44  package os
    45  
    46  import (
    47  	"errors"
    48  	"internal/filepathlite"
    49  	"internal/poll"
    50  	"internal/testlog"
    51  	"io"
    52  	"io/fs"
    53  	"runtime"
    54  	"slices"
    55  	"syscall"
    56  	"time"
    57  	"unsafe"
    58  )
    59  
    60  // Name returns the name of the file as presented to Open.
    61  //
    62  // It is safe to call Name after [Close].
    63  func (f *File) Name() string { return f.name }
    64  
    65  // Stdin, Stdout, and Stderr are open Files pointing to the standard input,
    66  // standard output, and standard error file descriptors.
    67  //
    68  // Note that the Go runtime writes to standard error for panics and crashes;
    69  // closing Stderr may cause those messages to go elsewhere, perhaps
    70  // to a file opened later.
    71  var (
    72  	Stdin  = NewFile(uintptr(syscall.Stdin), "/dev/stdin")
    73  	Stdout = NewFile(uintptr(syscall.Stdout), "/dev/stdout")
    74  	Stderr = NewFile(uintptr(syscall.Stderr), "/dev/stderr")
    75  )
    76  
    77  // Flags to OpenFile wrapping those of the underlying system. Not all
    78  // flags may be implemented on a given system.
    79  const (
    80  	// Exactly one of O_RDONLY, O_WRONLY, or O_RDWR must be specified.
    81  	O_RDONLY int = syscall.O_RDONLY // open the file read-only.
    82  	O_WRONLY int = syscall.O_WRONLY // open the file write-only.
    83  	O_RDWR   int = syscall.O_RDWR   // open the file read-write.
    84  	// The remaining values may be or'ed in to control behavior.
    85  	O_APPEND int = syscall.O_APPEND // append data to the file when writing.
    86  	O_CREATE int = syscall.O_CREAT  // create a new file if none exists.
    87  	O_EXCL   int = syscall.O_EXCL   // used with O_CREATE, file must not exist.
    88  	O_SYNC   int = syscall.O_SYNC   // open for synchronous I/O.
    89  	O_TRUNC  int = syscall.O_TRUNC  // truncate regular writable file when opened.
    90  )
    91  
    92  // Seek whence values.
    93  //
    94  // Deprecated: Use io.SeekStart, io.SeekCurrent, and io.SeekEnd.
    95  const (
    96  	SEEK_SET int = 0 // seek relative to the origin of the file
    97  	SEEK_CUR int = 1 // seek relative to the current offset
    98  	SEEK_END int = 2 // seek relative to the end
    99  )
   100  
   101  // LinkError records an error during a link or symlink or rename
   102  // system call and the paths that caused it.
   103  type LinkError struct {
   104  	Op  string
   105  	Old string
   106  	New string
   107  	Err error
   108  }
   109  
   110  func (e *LinkError) Error() string {
   111  	return e.Op + " " + e.Old + " " + e.New + ": " + e.Err.Error()
   112  }
   113  
   114  func (e *LinkError) Unwrap() error {
   115  	return e.Err
   116  }
   117  
   118  // NewFile returns a new [File] with the given file descriptor and name.
   119  // The returned value will be nil if fd is not a valid file descriptor.
   120  //
   121  // NewFile's behavior differs on some platforms:
   122  //
   123  //   - On Unix, if fd is in non-blocking mode, NewFile will attempt to return a pollable file.
   124  //   - On Windows, if fd is opened for asynchronous I/O (that is, [syscall.FILE_FLAG_OVERLAPPED]
   125  //     has been specified in the [syscall.CreateFile] call), NewFile will attempt to return a pollable
   126  //     file by associating fd with the Go runtime I/O completion port.
   127  //     The I/O operations will be performed synchronously if the association fails.
   128  //
   129  // Only pollable files support [File.SetDeadline], [File.SetReadDeadline], and [File.SetWriteDeadline].
   130  //
   131  // After passing it to NewFile, fd may become invalid under the same conditions described
   132  // in the comments of [File.Fd], and the same constraints apply.
   133  func NewFile(fd uintptr, name string) *File {
   134  	return newFileFromNewFile(fd, name)
   135  }
   136  
   137  // Read reads up to len(b) bytes from the File and stores them in b.
   138  // It returns the number of bytes read and any error encountered.
   139  // At end of file, Read returns 0, io.EOF.
   140  func (f *File) Read(b []byte) (n int, err error) {
   141  	if err := f.checkValid("read"); err != nil {
   142  		return 0, err
   143  	}
   144  	n, e := f.read(b)
   145  	return n, f.wrapErr("read", e)
   146  }
   147  
   148  // ReadAt reads len(b) bytes from the File starting at byte offset off.
   149  // It returns the number of bytes read and the error, if any.
   150  // ReadAt always returns a non-nil error when n < len(b).
   151  // At end of file, that error is io.EOF.
   152  func (f *File) ReadAt(b []byte, off int64) (n int, err error) {
   153  	if err := f.checkValid("read"); err != nil {
   154  		return 0, err
   155  	}
   156  
   157  	if off < 0 {
   158  		return 0, &PathError{Op: "readat", Path: f.name, Err: errors.New("negative offset")}
   159  	}
   160  
   161  	for len(b) > 0 {
   162  		m, e := f.pread(b, off)
   163  		if e != nil {
   164  			err = f.wrapErr("read", e)
   165  			break
   166  		}
   167  		n += m
   168  		b = b[m:]
   169  		off += int64(m)
   170  	}
   171  	return
   172  }
   173  
   174  // ReadFrom implements io.ReaderFrom.
   175  func (f *File) ReadFrom(r io.Reader) (n int64, err error) {
   176  	if err := f.checkValid("write"); err != nil {
   177  		return 0, err
   178  	}
   179  	n, handled, e := f.readFrom(r)
   180  	if !handled {
   181  		return genericReadFrom(f, r) // without wrapping
   182  	}
   183  	return n, f.wrapErr("write", e)
   184  }
   185  
   186  // noReadFrom can be embedded alongside another type to
   187  // hide the ReadFrom method of that other type.
   188  type noReadFrom struct{}
   189  
   190  // ReadFrom hides another ReadFrom method.
   191  // It should never be called.
   192  func (noReadFrom) ReadFrom(io.Reader) (int64, error) {
   193  	panic("can't happen")
   194  }
   195  
   196  // fileWithoutReadFrom implements all the methods of *File other
   197  // than ReadFrom. This is used to permit ReadFrom to call io.Copy
   198  // without leading to a recursive call to ReadFrom.
   199  type fileWithoutReadFrom struct {
   200  	noReadFrom
   201  	*File
   202  }
   203  
   204  func genericReadFrom(f *File, r io.Reader) (int64, error) {
   205  	return io.Copy(fileWithoutReadFrom{File: f}, r)
   206  }
   207  
   208  // Write writes len(b) bytes from b to the File.
   209  // It returns the number of bytes written and an error, if any.
   210  // Write returns a non-nil error when n != len(b).
   211  func (f *File) Write(b []byte) (n int, err error) {
   212  	if err := f.checkValid("write"); err != nil {
   213  		return 0, err
   214  	}
   215  	n, e := f.write(b)
   216  	if n < 0 {
   217  		n = 0
   218  	}
   219  	if n != len(b) {
   220  		err = io.ErrShortWrite
   221  	}
   222  
   223  	epipecheck(f, e)
   224  
   225  	if e != nil {
   226  		err = f.wrapErr("write", e)
   227  	}
   228  
   229  	return n, err
   230  }
   231  
   232  var errWriteAtInAppendMode = errors.New("os: invalid use of WriteAt on file opened with O_APPEND")
   233  
   234  // WriteAt writes len(b) bytes to the File starting at byte offset off.
   235  // It returns the number of bytes written and an error, if any.
   236  // WriteAt returns a non-nil error when n != len(b).
   237  //
   238  // If file was opened with the [O_APPEND] flag, WriteAt returns an error.
   239  func (f *File) WriteAt(b []byte, off int64) (n int, err error) {
   240  	if err := f.checkValid("write"); err != nil {
   241  		return 0, err
   242  	}
   243  	if f.appendMode {
   244  		return 0, errWriteAtInAppendMode
   245  	}
   246  
   247  	if off < 0 {
   248  		return 0, &PathError{Op: "writeat", Path: f.name, Err: errors.New("negative offset")}
   249  	}
   250  
   251  	for len(b) > 0 {
   252  		m, e := f.pwrite(b, off)
   253  		if e != nil {
   254  			err = f.wrapErr("write", e)
   255  			break
   256  		}
   257  		n += m
   258  		b = b[m:]
   259  		off += int64(m)
   260  	}
   261  	return
   262  }
   263  
   264  // WriteTo implements io.WriterTo.
   265  func (f *File) WriteTo(w io.Writer) (n int64, err error) {
   266  	if err := f.checkValid("read"); err != nil {
   267  		return 0, err
   268  	}
   269  	n, handled, e := f.writeTo(w)
   270  	if handled {
   271  		return n, f.wrapErr("read", e)
   272  	}
   273  	return genericWriteTo(f, w) // without wrapping
   274  }
   275  
   276  // noWriteTo can be embedded alongside another type to
   277  // hide the WriteTo method of that other type.
   278  type noWriteTo struct{}
   279  
   280  // WriteTo hides another WriteTo method.
   281  // It should never be called.
   282  func (noWriteTo) WriteTo(io.Writer) (int64, error) {
   283  	panic("can't happen")
   284  }
   285  
   286  // fileWithoutWriteTo implements all the methods of *File other
   287  // than WriteTo. This is used to permit WriteTo to call io.Copy
   288  // without leading to a recursive call to WriteTo.
   289  type fileWithoutWriteTo struct {
   290  	noWriteTo
   291  	*File
   292  }
   293  
   294  func genericWriteTo(f *File, w io.Writer) (int64, error) {
   295  	return io.Copy(w, fileWithoutWriteTo{File: f})
   296  }
   297  
   298  // Seek sets the offset for the next Read or Write on file to offset, interpreted
   299  // according to whence: 0 means relative to the origin of the file, 1 means
   300  // relative to the current offset, and 2 means relative to the end.
   301  // It returns the new offset and an error, if any.
   302  // The behavior of Seek on a file opened with [O_APPEND] is not specified.
   303  func (f *File) Seek(offset int64, whence int) (ret int64, err error) {
   304  	if err := f.checkValid("seek"); err != nil {
   305  		return 0, err
   306  	}
   307  	r, e := f.seek(offset, whence)
   308  	if e == nil && f.dirinfo.Load() != nil && r != 0 {
   309  		e = syscall.EISDIR
   310  	}
   311  	if e != nil {
   312  		return 0, f.wrapErr("seek", e)
   313  	}
   314  	return r, nil
   315  }
   316  
   317  // WriteString is like Write, but writes the contents of string s rather than
   318  // a slice of bytes.
   319  func (f *File) WriteString(s string) (n int, err error) {
   320  	b := unsafe.Slice(unsafe.StringData(s), len(s))
   321  	return f.Write(b)
   322  }
   323  
   324  // Mkdir creates a new directory with the specified name and permission
   325  // bits (before umask).
   326  // If there is an error, it will be of type [*PathError].
   327  func Mkdir(name string, perm FileMode) error {
   328  	longName := fixLongPath(name)
   329  	e := ignoringEINTR(func() error {
   330  		return syscall.Mkdir(longName, syscallMode(perm))
   331  	})
   332  
   333  	if e != nil {
   334  		return &PathError{Op: "mkdir", Path: name, Err: e}
   335  	}
   336  
   337  	// mkdir(2) itself won't handle the sticky bit on *BSD and Solaris
   338  	if !supportsCreateWithStickyBit && perm&ModeSticky != 0 {
   339  		e = setStickyBit(name)
   340  
   341  		if e != nil {
   342  			Remove(name)
   343  			return e
   344  		}
   345  	}
   346  
   347  	return nil
   348  }
   349  
   350  // setStickyBit adds ModeSticky to the permission bits of path, non atomic.
   351  func setStickyBit(name string) error {
   352  	fi, err := Stat(name)
   353  	if err != nil {
   354  		return err
   355  	}
   356  	return Chmod(name, fi.Mode()|ModeSticky)
   357  }
   358  
   359  // Chdir changes the current working directory to the named directory.
   360  // If there is an error, it will be of type [*PathError].
   361  func Chdir(dir string) error {
   362  	if e := syscall.Chdir(dir); e != nil {
   363  		testlog.Open(dir) // observe likely non-existent directory
   364  		return &PathError{Op: "chdir", Path: dir, Err: e}
   365  	}
   366  	if runtime.GOOS == "windows" {
   367  		abs := filepathlite.IsAbs(dir)
   368  		getwdCache.Lock()
   369  		if abs {
   370  			getwdCache.dir = dir
   371  		} else {
   372  			getwdCache.dir = ""
   373  		}
   374  		getwdCache.Unlock()
   375  	}
   376  	if log := testlog.Logger(); log != nil {
   377  		wd, err := Getwd()
   378  		if err == nil {
   379  			log.Chdir(wd)
   380  		}
   381  	}
   382  	return nil
   383  }
   384  
   385  // Open opens the named file for reading. If successful, methods on
   386  // the returned file can be used for reading; the associated file
   387  // descriptor has mode [O_RDONLY].
   388  // If there is an error, it will be of type [*PathError].
   389  func Open(name string) (*File, error) {
   390  	return OpenFile(name, O_RDONLY, 0)
   391  }
   392  
   393  // Create creates or truncates the named file. If the file already exists,
   394  // it is truncated. If the file does not exist, it is created with mode 0o666
   395  // (before umask). If successful, methods on the returned File can
   396  // be used for I/O; the associated file descriptor has mode [O_RDWR].
   397  // The directory containing the file must already exist.
   398  // If there is an error, it will be of type [*PathError].
   399  func Create(name string) (*File, error) {
   400  	return OpenFile(name, O_RDWR|O_CREATE|O_TRUNC, 0666)
   401  }
   402  
   403  // OpenFile is the generalized open call; most users will use Open
   404  // or Create instead. It opens the named file with specified flag
   405  // ([O_RDONLY] etc.). If the file does not exist, and the [O_CREATE] flag
   406  // is passed, it is created with mode perm (before umask);
   407  // the containing directory must exist. If successful,
   408  // methods on the returned File can be used for I/O.
   409  // If there is an error, it will be of type [*PathError].
   410  func OpenFile(name string, flag int, perm FileMode) (*File, error) {
   411  	testlog.Open(name)
   412  	f, err := openFileNolog(name, flag, perm)
   413  	if err != nil {
   414  		return nil, err
   415  	}
   416  	f.appendMode = flag&O_APPEND != 0
   417  
   418  	return f, nil
   419  }
   420  
   421  var errPathEscapes = errors.New("path escapes from parent")
   422  
   423  // openDir opens a file which is assumed to be a directory. As such, it skips
   424  // the syscalls that make the file descriptor non-blocking as these take time
   425  // and will fail on file descriptors for directories.
   426  func openDir(name string) (*File, error) {
   427  	testlog.Open(name)
   428  	return openDirNolog(name)
   429  }
   430  
   431  // lstat is overridden in tests.
   432  var lstat = Lstat
   433  
   434  // Rename renames (moves) oldpath to newpath.
   435  // If newpath already exists and is not a directory, Rename replaces it.
   436  // If newpath already exists and is a directory, Rename returns an error.
   437  // OS-specific restrictions may apply when oldpath and newpath are in different directories.
   438  // Even within the same directory, on non-Unix platforms Rename is not an atomic operation.
   439  // If there is an error, it will be of type *LinkError.
   440  func Rename(oldpath, newpath string) error {
   441  	return rename(oldpath, newpath)
   442  }
   443  
   444  // Readlink returns the destination of the named symbolic link.
   445  // If there is an error, it will be of type [*PathError].
   446  //
   447  // If the link destination is relative, Readlink returns the relative path
   448  // without resolving it to an absolute one.
   449  func Readlink(name string) (string, error) {
   450  	return readlink(name)
   451  }
   452  
   453  // Many functions in package syscall return a count of -1 instead of 0.
   454  // Using fixCount(call()) instead of call() corrects the count.
   455  func fixCount(n int, err error) (int, error) {
   456  	if n < 0 {
   457  		n = 0
   458  	}
   459  	return n, err
   460  }
   461  
   462  // checkWrapErr is the test hook to enable checking unexpected wrapped errors of poll.ErrFileClosing.
   463  // It is set to true in the export_test.go for tests (including fuzz tests).
   464  var checkWrapErr = false
   465  
   466  // wrapErr wraps an error that occurred during an operation on an open file.
   467  // It passes io.EOF through unchanged, otherwise converts
   468  // poll.ErrFileClosing to ErrClosed and wraps the error in a PathError.
   469  func (f *File) wrapErr(op string, err error) error {
   470  	if err == nil || err == io.EOF {
   471  		return err
   472  	}
   473  	if err == poll.ErrFileClosing {
   474  		err = ErrClosed
   475  	} else if checkWrapErr && errors.Is(err, poll.ErrFileClosing) {
   476  		panic("unexpected error wrapping poll.ErrFileClosing: " + err.Error())
   477  	}
   478  	return &PathError{Op: op, Path: f.name, Err: err}
   479  }
   480  
   481  // TempDir returns the default directory to use for temporary files.
   482  //
   483  // On Unix systems, it returns $TMPDIR if non-empty, else /tmp.
   484  // On Windows, it uses GetTempPath, returning the first non-empty
   485  // value from %TMP%, %TEMP%, %USERPROFILE%, or the Windows directory.
   486  // On Plan 9, it returns /tmp.
   487  //
   488  // The directory is neither guaranteed to exist nor have accessible
   489  // permissions.
   490  func TempDir() string {
   491  	return tempDir()
   492  }
   493  
   494  // UserCacheDir returns the default root directory to use for user-specific
   495  // cached data. Users should create their own application-specific subdirectory
   496  // within this one and use that.
   497  //
   498  // On Unix systems, it returns $XDG_CACHE_HOME as specified by
   499  // https://specifications.freedesktop.org/basedir-spec/basedir-spec-latest.html if
   500  // non-empty, else $HOME/.cache.
   501  // On Darwin, it returns $HOME/Library/Caches.
   502  // On Windows, it returns %LocalAppData%.
   503  // On Plan 9, it returns $home/lib/cache.
   504  //
   505  // If the location cannot be determined (for example, $HOME is not defined) or
   506  // the path in $XDG_CACHE_HOME is relative, then it will return an error.
   507  func UserCacheDir() (string, error) {
   508  	var dir string
   509  
   510  	switch runtime.GOOS {
   511  	case "windows":
   512  		dir = Getenv("LocalAppData")
   513  		if dir == "" {
   514  			return "", errors.New("%LocalAppData% is not defined")
   515  		}
   516  
   517  	case "darwin", "ios":
   518  		dir = Getenv("HOME")
   519  		if dir == "" {
   520  			return "", errors.New("$HOME is not defined")
   521  		}
   522  		dir += "/Library/Caches"
   523  
   524  	case "plan9":
   525  		dir = Getenv("home")
   526  		if dir == "" {
   527  			return "", errors.New("$home is not defined")
   528  		}
   529  		dir += "/lib/cache"
   530  
   531  	default: // Unix
   532  		dir = Getenv("XDG_CACHE_HOME")
   533  		if dir == "" {
   534  			dir = Getenv("HOME")
   535  			if dir == "" {
   536  				return "", errors.New("neither $XDG_CACHE_HOME nor $HOME are defined")
   537  			}
   538  			dir += "/.cache"
   539  		} else if !filepathlite.IsAbs(dir) {
   540  			return "", errors.New("path in $XDG_CACHE_HOME is relative")
   541  		}
   542  	}
   543  
   544  	return dir, nil
   545  }
   546  
   547  // UserConfigDir returns the default root directory to use for user-specific
   548  // configuration data. Users should create their own application-specific
   549  // subdirectory within this one and use that.
   550  //
   551  // On Unix systems, it returns $XDG_CONFIG_HOME as specified by
   552  // https://specifications.freedesktop.org/basedir-spec/basedir-spec-latest.html if
   553  // non-empty, else $HOME/.config.
   554  // On Darwin, it returns $HOME/Library/Application Support.
   555  // On Windows, it returns %AppData%.
   556  // On Plan 9, it returns $home/lib.
   557  //
   558  // If the location cannot be determined (for example, $HOME is not defined) or
   559  // the path in $XDG_CONFIG_HOME is relative, then it will return an error.
   560  func UserConfigDir() (string, error) {
   561  	var dir string
   562  
   563  	switch runtime.GOOS {
   564  	case "windows":
   565  		dir = Getenv("AppData")
   566  		if dir == "" {
   567  			return "", errors.New("%AppData% is not defined")
   568  		}
   569  
   570  	case "darwin", "ios":
   571  		dir = Getenv("HOME")
   572  		if dir == "" {
   573  			return "", errors.New("$HOME is not defined")
   574  		}
   575  		dir += "/Library/Application Support"
   576  
   577  	case "plan9":
   578  		dir = Getenv("home")
   579  		if dir == "" {
   580  			return "", errors.New("$home is not defined")
   581  		}
   582  		dir += "/lib"
   583  
   584  	default: // Unix
   585  		dir = Getenv("XDG_CONFIG_HOME")
   586  		if dir == "" {
   587  			dir = Getenv("HOME")
   588  			if dir == "" {
   589  				return "", errors.New("neither $XDG_CONFIG_HOME nor $HOME are defined")
   590  			}
   591  			dir += "/.config"
   592  		} else if !filepathlite.IsAbs(dir) {
   593  			return "", errors.New("path in $XDG_CONFIG_HOME is relative")
   594  		}
   595  	}
   596  
   597  	return dir, nil
   598  }
   599  
   600  // UserHomeDir returns the current user's home directory.
   601  //
   602  // On Unix, including macOS, it returns the $HOME environment variable.
   603  // On Windows, it returns %USERPROFILE%.
   604  // On Plan 9, it returns the $home environment variable.
   605  //
   606  // If the expected variable is not set in the environment, UserHomeDir
   607  // returns either a platform-specific default value or a non-nil error.
   608  func UserHomeDir() (string, error) {
   609  	env, enverr := "HOME", "$HOME"
   610  	switch runtime.GOOS {
   611  	case "windows":
   612  		env, enverr = "USERPROFILE", "%userprofile%"
   613  	case "plan9":
   614  		env, enverr = "home", "$home"
   615  	}
   616  	if v := Getenv(env); v != "" {
   617  		return v, nil
   618  	}
   619  	// On some geese the home directory is not always defined.
   620  	switch runtime.GOOS {
   621  	case "android":
   622  		return "/sdcard", nil
   623  	case "ios":
   624  		return "/", nil
   625  	}
   626  	return "", errors.New(enverr + " is not defined")
   627  }
   628  
   629  // Chmod changes the mode of the named file to mode.
   630  // If the file is a symbolic link, it changes the mode of the link's target.
   631  // If there is an error, it will be of type [*PathError].
   632  //
   633  // A different subset of the mode bits are used, depending on the
   634  // operating system.
   635  //
   636  // On Unix, the mode's permission bits, [ModeSetuid], [ModeSetgid], and
   637  // [ModeSticky] are used.
   638  //
   639  // On Windows, only the 0o200 bit (owner writable) of mode is used; it
   640  // controls whether the file's read-only attribute is set or cleared.
   641  // The other bits are currently unused. For compatibility with Go 1.12
   642  // and earlier, use a non-zero mode. Use mode 0o400 for a read-only
   643  // file and 0o600 for a readable+writable file.
   644  //
   645  // On Plan 9, the mode's permission bits, [ModeAppend], [ModeExclusive],
   646  // and [ModeTemporary] are used.
   647  func Chmod(name string, mode FileMode) error { return chmod(name, mode) }
   648  
   649  // Chmod changes the mode of the file to mode.
   650  // If there is an error, it will be of type [*PathError].
   651  func (f *File) Chmod(mode FileMode) error { return f.chmod(mode) }
   652  
   653  // SetDeadline sets the read and write deadlines for a File.
   654  // It is equivalent to calling both SetReadDeadline and SetWriteDeadline.
   655  //
   656  // Only some kinds of files support setting a deadline. Calls to SetDeadline
   657  // for files that do not support deadlines will return ErrNoDeadline.
   658  // On most systems ordinary files do not support deadlines, but pipes do.
   659  //
   660  // A deadline is an absolute time after which I/O operations fail with an
   661  // error instead of blocking. The deadline applies to all future and pending
   662  // I/O, not just the immediately following call to Read or Write.
   663  // After a deadline has been exceeded, the connection can be refreshed
   664  // by setting a deadline in the future.
   665  //
   666  // If the deadline is exceeded a call to Read or Write or to other I/O
   667  // methods will return an error that wraps ErrDeadlineExceeded.
   668  // This can be tested using errors.Is(err, os.ErrDeadlineExceeded).
   669  // That error implements the Timeout method, and calling the Timeout
   670  // method will return true, but there are other possible errors for which
   671  // the Timeout will return true even if the deadline has not been exceeded.
   672  //
   673  // An idle timeout can be implemented by repeatedly extending
   674  // the deadline after successful Read or Write calls.
   675  //
   676  // A zero value for t means I/O operations will not time out.
   677  func (f *File) SetDeadline(t time.Time) error {
   678  	return f.setDeadline(t)
   679  }
   680  
   681  // SetReadDeadline sets the deadline for future Read calls and any
   682  // currently-blocked Read call.
   683  // A zero value for t means Read will not time out.
   684  // Not all files support setting deadlines; see SetDeadline.
   685  func (f *File) SetReadDeadline(t time.Time) error {
   686  	return f.setReadDeadline(t)
   687  }
   688  
   689  // SetWriteDeadline sets the deadline for any future Write calls and any
   690  // currently-blocked Write call.
   691  // Even if Write times out, it may return n > 0, indicating that
   692  // some of the data was successfully written.
   693  // A zero value for t means Write will not time out.
   694  // Not all files support setting deadlines; see SetDeadline.
   695  func (f *File) SetWriteDeadline(t time.Time) error {
   696  	return f.setWriteDeadline(t)
   697  }
   698  
   699  // SyscallConn returns a raw file.
   700  // This implements the syscall.Conn interface.
   701  func (f *File) SyscallConn() (syscall.RawConn, error) {
   702  	if err := f.checkValid("SyscallConn"); err != nil {
   703  		return nil, err
   704  	}
   705  	return newRawConn(f)
   706  }
   707  
   708  // Fd returns the system file descriptor or handle referencing the open file.
   709  // If f is closed, the descriptor becomes invalid.
   710  // If f is garbage collected, a cleanup may close the descriptor,
   711  // making it invalid; see [runtime.AddCleanup] for more information on when
   712  // a cleanup might be run.
   713  //
   714  // Do not close the returned descriptor; that could cause a later
   715  // close of f to close an unrelated descriptor.
   716  //
   717  // On Unix systems this will cause the [File.SetDeadline]
   718  // methods to stop working.
   719  //
   720  // For most uses prefer the f.SyscallConn method.
   721  func (f *File) Fd() uintptr {
   722  	return f.fd()
   723  }
   724  
   725  // DirFS returns a file system (an fs.FS) for the tree of files rooted at the directory dir.
   726  //
   727  // Note that DirFS("/prefix") only guarantees that the Open calls it makes to the
   728  // operating system will begin with "/prefix": DirFS("/prefix").Open("file") is the
   729  // same as os.Open("/prefix/file"). So if /prefix/file is a symbolic link pointing outside
   730  // the /prefix tree, then using DirFS does not stop the access any more than using
   731  // os.Open does. Additionally, the root of the fs.FS returned for a relative path,
   732  // DirFS("prefix"), will be affected by later calls to Chdir. DirFS is therefore not
   733  // a general substitute for a chroot-style security mechanism when the directory tree
   734  // contains arbitrary content.
   735  //
   736  // Use [Root.FS] to obtain a fs.FS that prevents escapes from the tree via symbolic links.
   737  //
   738  // The directory dir must not be "".
   739  //
   740  // The result implements [io/fs.StatFS], [io/fs.ReadFileFS], [io/fs.ReadDirFS], and
   741  // [io/fs.ReadLinkFS].
   742  func DirFS(dir string) fs.FS {
   743  	return dirFS(dir)
   744  }
   745  
   746  var _ fs.StatFS = dirFS("")
   747  var _ fs.ReadFileFS = dirFS("")
   748  var _ fs.ReadDirFS = dirFS("")
   749  var _ fs.ReadLinkFS = dirFS("")
   750  
   751  type dirFS string
   752  
   753  func (dir dirFS) Open(name string) (fs.File, error) {
   754  	fullname, err := dir.join(name)
   755  	if err != nil {
   756  		return nil, &PathError{Op: "open", Path: name, Err: err}
   757  	}
   758  	f, err := Open(fullname)
   759  	if err != nil {
   760  		// DirFS takes a string appropriate for GOOS,
   761  		// while the name argument here is always slash separated.
   762  		// dir.join will have mixed the two; undo that for
   763  		// error reporting.
   764  		err.(*PathError).Path = name
   765  		return nil, err
   766  	}
   767  	return f, nil
   768  }
   769  
   770  // The ReadFile method calls the [ReadFile] function for the file
   771  // with the given name in the directory. The function provides
   772  // robust handling for small files and special file systems.
   773  // Through this method, dirFS implements [io/fs.ReadFileFS].
   774  func (dir dirFS) ReadFile(name string) ([]byte, error) {
   775  	fullname, err := dir.join(name)
   776  	if err != nil {
   777  		return nil, &PathError{Op: "readfile", Path: name, Err: err}
   778  	}
   779  	b, err := ReadFile(fullname)
   780  	if err != nil {
   781  		if e, ok := err.(*PathError); ok {
   782  			// See comment in dirFS.Open.
   783  			e.Path = name
   784  		}
   785  		return nil, err
   786  	}
   787  	return b, nil
   788  }
   789  
   790  // ReadDir reads the named directory, returning all its directory entries sorted
   791  // by filename. Through this method, dirFS implements [io/fs.ReadDirFS].
   792  func (dir dirFS) ReadDir(name string) ([]DirEntry, error) {
   793  	fullname, err := dir.join(name)
   794  	if err != nil {
   795  		return nil, &PathError{Op: "readdir", Path: name, Err: err}
   796  	}
   797  	entries, err := ReadDir(fullname)
   798  	if err != nil {
   799  		if e, ok := err.(*PathError); ok {
   800  			// See comment in dirFS.Open.
   801  			e.Path = name
   802  		}
   803  		return nil, err
   804  	}
   805  	return entries, nil
   806  }
   807  
   808  func (dir dirFS) Stat(name string) (fs.FileInfo, error) {
   809  	fullname, err := dir.join(name)
   810  	if err != nil {
   811  		return nil, &PathError{Op: "stat", Path: name, Err: err}
   812  	}
   813  	f, err := Stat(fullname)
   814  	if err != nil {
   815  		// See comment in dirFS.Open.
   816  		err.(*PathError).Path = name
   817  		return nil, err
   818  	}
   819  	return f, nil
   820  }
   821  
   822  func (dir dirFS) Lstat(name string) (fs.FileInfo, error) {
   823  	fullname, err := dir.join(name)
   824  	if err != nil {
   825  		return nil, &PathError{Op: "lstat", Path: name, Err: err}
   826  	}
   827  	f, err := Lstat(fullname)
   828  	if err != nil {
   829  		// See comment in dirFS.Open.
   830  		err.(*PathError).Path = name
   831  		return nil, err
   832  	}
   833  	return f, nil
   834  }
   835  
   836  func (dir dirFS) ReadLink(name string) (string, error) {
   837  	fullname, err := dir.join(name)
   838  	if err != nil {
   839  		return "", &PathError{Op: "readlink", Path: name, Err: err}
   840  	}
   841  	return Readlink(fullname)
   842  }
   843  
   844  // join returns the path for name in dir.
   845  func (dir dirFS) join(name string) (string, error) {
   846  	if dir == "" {
   847  		return "", errors.New("os: DirFS with empty root")
   848  	}
   849  	name, err := filepathlite.Localize(name)
   850  	if err != nil {
   851  		return "", ErrInvalid
   852  	}
   853  	if IsPathSeparator(dir[len(dir)-1]) {
   854  		return string(dir) + name, nil
   855  	}
   856  	return string(dir) + string(PathSeparator) + name, nil
   857  }
   858  
   859  // ReadFile reads the named file and returns the contents.
   860  // A successful call returns err == nil, not err == EOF.
   861  // Because ReadFile reads the whole file, it does not treat an EOF from Read
   862  // as an error to be reported.
   863  func ReadFile(name string) ([]byte, error) {
   864  	f, err := Open(name)
   865  	if err != nil {
   866  		return nil, err
   867  	}
   868  	defer f.Close()
   869  
   870  	return readFileContents(statOrZero(f), f.Read)
   871  }
   872  
   873  func statOrZero(f *File) int64 {
   874  	if fi, err := f.Stat(); err == nil {
   875  		return fi.Size()
   876  	}
   877  	return 0
   878  }
   879  
   880  // readFileContents reads the contents of a file using the provided read function
   881  // (*os.File.Read, except in tests) one or more times, until an error is seen.
   882  //
   883  // The provided size is the stat size of the file, which might be 0 for a
   884  // /proc-like file that doesn't report a size.
   885  func readFileContents(statSize int64, read func([]byte) (int, error)) ([]byte, error) {
   886  	zeroSize := statSize == 0
   887  
   888  	// Figure out how big to make the initial slice. For files with known size
   889  	// that fit in memory, use that size + 1. Otherwise, use a small buffer and
   890  	// we'll grow.
   891  	var size int
   892  	if int64(int(statSize)) == statSize {
   893  		size = int(statSize)
   894  	}
   895  	size++ // one byte for final read at EOF
   896  
   897  	const minBuf = 512
   898  	// If a file claims a small size, read at least 512 bytes. In particular,
   899  	// files in Linux's /proc claim size 0 but then do not work right if read in
   900  	// small pieces, so an initial read of 1 byte would not work correctly.
   901  	if size < minBuf {
   902  		size = minBuf
   903  	}
   904  
   905  	data := make([]byte, 0, size)
   906  	for {
   907  		n, err := read(data[len(data):cap(data)])
   908  		data = data[:len(data)+n]
   909  		if err != nil {
   910  			if err == io.EOF {
   911  				err = nil
   912  			}
   913  			return data, err
   914  		}
   915  
   916  		// If we're either out of capacity or if the file was a /proc-like zero
   917  		// sized file, grow the buffer. Per Issue 72080, we always want to issue
   918  		// Read calls on zero-length files with a non-tiny buffer size.
   919  		capRemain := cap(data) - len(data)
   920  		if capRemain == 0 || (zeroSize && capRemain < minBuf) {
   921  			data = slices.Grow(data, minBuf)
   922  		}
   923  	}
   924  }
   925  
   926  // WriteFile writes data to the named file, creating it if necessary.
   927  // If the file does not exist, WriteFile creates it with permissions perm (before umask);
   928  // otherwise WriteFile truncates it before writing, without changing permissions.
   929  // Since WriteFile requires multiple system calls to complete, a failure mid-operation
   930  // can leave the file in a partially written state.
   931  func WriteFile(name string, data []byte, perm FileMode) error {
   932  	f, err := OpenFile(name, O_WRONLY|O_CREATE|O_TRUNC, perm)
   933  	if err != nil {
   934  		return err
   935  	}
   936  	_, err = f.Write(data)
   937  	if err1 := f.Close(); err1 != nil && err == nil {
   938  		err = err1
   939  	}
   940  	return err
   941  }
   942  

View as plain text