Source file src/os/file_windows.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
     6  
     7  import (
     8  	"errors"
     9  	"internal/filepathlite"
    10  	"internal/godebug"
    11  	"internal/poll"
    12  	"internal/syscall/windows"
    13  	"runtime"
    14  	"sync"
    15  	"sync/atomic"
    16  	"syscall"
    17  	"unsafe"
    18  )
    19  
    20  // This matches the value in syscall/syscall_windows.go.
    21  const _UTIME_OMIT = -1
    22  
    23  // file is the real representation of *File.
    24  // The extra level of indirection ensures that no clients of os
    25  // can overwrite this data, which could cause the cleanup
    26  // to close the wrong file descriptor.
    27  type file struct {
    28  	pfd        poll.FD
    29  	name       string
    30  	dirinfo    atomic.Pointer[dirInfo] // nil unless directory being read
    31  	appendMode bool                    // whether file is opened for appending
    32  	cleanup    runtime.Cleanup         // cleanup closes the file when no longer referenced
    33  }
    34  
    35  // fd is the Windows implementation of Fd.
    36  func (file *File) fd() uintptr {
    37  	if file == nil {
    38  		return uintptr(syscall.InvalidHandle)
    39  	}
    40  	return uintptr(file.pfd.Sysfd)
    41  }
    42  
    43  // newFile returns a new File with the given file handle and name.
    44  // Unlike NewFile, it does not check that h is syscall.InvalidHandle.
    45  // If nonBlocking is true, it tries to add the file to the runtime poller.
    46  func newFile(h syscall.Handle, name string, kind string, nonBlocking bool) *File {
    47  	if kind == "file" {
    48  		t, err := syscall.GetFileType(h)
    49  		if err != nil || t == syscall.FILE_TYPE_CHAR {
    50  			var m uint32
    51  			if syscall.GetConsoleMode(h, &m) == nil {
    52  				kind = "console"
    53  			}
    54  		} else if t == syscall.FILE_TYPE_PIPE {
    55  			kind = "pipe"
    56  		}
    57  	}
    58  
    59  	f := &File{&file{
    60  		pfd: poll.FD{
    61  			Sysfd:         h,
    62  			IsStream:      true,
    63  			ZeroReadIsEOF: true,
    64  		},
    65  		name: name,
    66  	}}
    67  	f.cleanup = runtime.AddCleanup(f, func(f *file) { f.close() }, f.file)
    68  
    69  	// Ignore initialization errors.
    70  	// Assume any problems will show up in later I/O.
    71  	f.pfd.Init(kind, nonBlocking)
    72  	return f
    73  }
    74  
    75  // newConsoleFile creates new File that will be used as console.
    76  func newConsoleFile(h syscall.Handle, name string) *File {
    77  	return newFile(h, name, "console", false)
    78  }
    79  
    80  // newFileFromNewFile is called by [NewFile].
    81  func newFileFromNewFile(fd uintptr, name string) *File {
    82  	h := syscall.Handle(fd)
    83  	if h == syscall.InvalidHandle {
    84  		return nil
    85  	}
    86  	nonBlocking, _ := windows.IsNonblock(syscall.Handle(fd))
    87  	return newFile(h, name, "file", nonBlocking)
    88  }
    89  
    90  func epipecheck(file *File, e error) {
    91  }
    92  
    93  // DevNull is the name of the operating system's “null device.”
    94  // On Unix-like systems, it is "/dev/null"; on Windows, "NUL".
    95  const DevNull = "NUL"
    96  
    97  // openFileNolog is the Windows implementation of OpenFile.
    98  func openFileNolog(name string, flag int, perm FileMode) (*File, error) {
    99  	if name == "" {
   100  		return nil, &PathError{Op: "open", Path: name, Err: syscall.ENOENT}
   101  	}
   102  	path := fixLongPath(name)
   103  	r, err := syscall.Open(path, flag|syscall.O_CLOEXEC, syscallMode(perm))
   104  	if err != nil {
   105  		return nil, &PathError{Op: "open", Path: name, Err: err}
   106  	}
   107  	// syscall.Open always returns a non-blocking handle.
   108  	return newFile(r, name, "file", false), nil
   109  }
   110  
   111  func openDirNolog(name string) (*File, error) {
   112  	return openFileNolog(name, O_RDONLY, 0)
   113  }
   114  
   115  func (file *file) close() error {
   116  	if file == nil {
   117  		return syscall.EINVAL
   118  	}
   119  	if info := file.dirinfo.Swap(nil); info != nil {
   120  		info.close()
   121  	}
   122  	var err error
   123  	if e := file.pfd.Close(); e != nil {
   124  		if e == poll.ErrFileClosing {
   125  			e = ErrClosed
   126  		}
   127  		err = &PathError{Op: "close", Path: file.name, Err: e}
   128  	}
   129  
   130  	// There is no need for a cleanup at this point. File must be alive at the point
   131  	// where cleanup.stop is called.
   132  	file.cleanup.Stop()
   133  	return err
   134  }
   135  
   136  // seek sets the offset for the next Read or Write on file to offset, interpreted
   137  // according to whence: 0 means relative to the origin of the file, 1 means
   138  // relative to the current offset, and 2 means relative to the end.
   139  // It returns the new offset and an error, if any.
   140  func (f *File) seek(offset int64, whence int) (ret int64, err error) {
   141  	if info := f.dirinfo.Swap(nil); info != nil {
   142  		// Free cached dirinfo, so we allocate a new one if we
   143  		// access this file as a directory again. See #35767 and #37161.
   144  		info.close()
   145  	}
   146  	ret, err = f.pfd.Seek(offset, whence)
   147  	runtime.KeepAlive(f)
   148  	return ret, err
   149  }
   150  
   151  // Truncate changes the size of the named file.
   152  // If the file is a symbolic link, it changes the size of the link's target.
   153  func Truncate(name string, size int64) error {
   154  	f, e := OpenFile(name, O_WRONLY, 0666)
   155  	if e != nil {
   156  		return e
   157  	}
   158  	defer f.Close()
   159  	e1 := f.Truncate(size)
   160  	if e1 != nil {
   161  		return e1
   162  	}
   163  	return nil
   164  }
   165  
   166  // Remove removes the named file or directory.
   167  // If there is an error, it will be of type [*PathError].
   168  func Remove(name string) error {
   169  	p, e := syscall.UTF16PtrFromString(fixLongPath(name))
   170  	if e != nil {
   171  		return &PathError{Op: "remove", Path: name, Err: e}
   172  	}
   173  
   174  	// Go file interface forces us to know whether
   175  	// name is a file or directory. Try both.
   176  	e = syscall.DeleteFile(p)
   177  	if e == nil {
   178  		return nil
   179  	}
   180  	e1 := syscall.RemoveDirectory(p)
   181  	if e1 == nil {
   182  		return nil
   183  	}
   184  
   185  	// Both failed: figure out which error to return.
   186  	if e1 != e {
   187  		a, e2 := syscall.GetFileAttributes(p)
   188  		if e2 != nil {
   189  			e = e2
   190  		} else {
   191  			if a&syscall.FILE_ATTRIBUTE_DIRECTORY != 0 {
   192  				e = e1
   193  			} else if a&syscall.FILE_ATTRIBUTE_READONLY != 0 {
   194  				if e1 = syscall.SetFileAttributes(p, a&^syscall.FILE_ATTRIBUTE_READONLY); e1 == nil {
   195  					if e = syscall.DeleteFile(p); e == nil {
   196  						return nil
   197  					}
   198  				}
   199  			}
   200  		}
   201  	}
   202  	return &PathError{Op: "remove", Path: name, Err: e}
   203  }
   204  
   205  func rename(oldname, newname string) error {
   206  	e := windows.Rename(fixLongPath(oldname), fixLongPath(newname))
   207  	if e != nil {
   208  		return &LinkError{"rename", oldname, newname, e}
   209  	}
   210  	return nil
   211  }
   212  
   213  // Pipe returns a connected pair of Files; reads from r return bytes written to w.
   214  // It returns the files and an error, if any. The Windows handles underlying
   215  // the returned files are marked as inheritable by child processes.
   216  func Pipe() (r *File, w *File, err error) {
   217  	var p [2]syscall.Handle
   218  	e := syscall.Pipe(p[:])
   219  	if e != nil {
   220  		return nil, nil, NewSyscallError("pipe", e)
   221  	}
   222  	// syscall.Pipe always returns a non-blocking handle.
   223  	return newFile(p[0], "|0", "pipe", false), newFile(p[1], "|1", "pipe", false), nil
   224  }
   225  
   226  var useGetTempPath2 = sync.OnceValue(func() bool {
   227  	return windows.ErrorLoadingGetTempPath2() == nil
   228  })
   229  
   230  func tempDir() string {
   231  	getTempPath := syscall.GetTempPath
   232  	if useGetTempPath2() {
   233  		getTempPath = windows.GetTempPath2
   234  	}
   235  	n := uint32(syscall.MAX_PATH)
   236  	for {
   237  		b := make([]uint16, n)
   238  		n, _ = getTempPath(uint32(len(b)), &b[0])
   239  		if n > uint32(len(b)) {
   240  			continue
   241  		}
   242  		if n == 3 && b[1] == ':' && b[2] == '\\' {
   243  			// Do nothing for path, like C:\.
   244  		} else if n > 0 && b[n-1] == '\\' {
   245  			// Otherwise remove terminating \.
   246  			n--
   247  		}
   248  		return syscall.UTF16ToString(b[:n])
   249  	}
   250  }
   251  
   252  // Link creates newname as a hard link to the oldname file.
   253  // If there is an error, it will be of type *LinkError.
   254  func Link(oldname, newname string) error {
   255  	n, err := syscall.UTF16PtrFromString(fixLongPath(newname))
   256  	if err != nil {
   257  		return &LinkError{"link", oldname, newname, err}
   258  	}
   259  	o, err := syscall.UTF16PtrFromString(fixLongPath(oldname))
   260  	if err != nil {
   261  		return &LinkError{"link", oldname, newname, err}
   262  	}
   263  	err = syscall.CreateHardLink(n, o, 0)
   264  	if err != nil {
   265  		return &LinkError{"link", oldname, newname, err}
   266  	}
   267  	return nil
   268  }
   269  
   270  // Symlink creates newname as a symbolic link to oldname.
   271  // On Windows, a symlink to a non-existent oldname creates a file symlink;
   272  // if oldname is later created as a directory the symlink will not work.
   273  // If there is an error, it will be of type *LinkError.
   274  func Symlink(oldname, newname string) error {
   275  	// '/' does not work in link's content
   276  	oldname = filepathlite.FromSlash(oldname)
   277  
   278  	// need the exact location of the oldname when it's relative to determine if it's a directory
   279  	destpath := oldname
   280  	if v := filepathlite.VolumeName(oldname); v == "" {
   281  		if len(oldname) > 0 && IsPathSeparator(oldname[0]) {
   282  			// oldname is relative to the volume containing newname.
   283  			if v = filepathlite.VolumeName(newname); v != "" {
   284  				// Prepend the volume explicitly, because it may be different from the
   285  				// volume of the current working directory.
   286  				destpath = v + oldname
   287  			}
   288  		} else {
   289  			// oldname is relative to newname.
   290  			destpath = dirname(newname) + `\` + oldname
   291  		}
   292  	}
   293  
   294  	fi, err := Stat(destpath)
   295  	isdir := err == nil && fi.IsDir()
   296  
   297  	n, err := syscall.UTF16PtrFromString(fixLongPath(newname))
   298  	if err != nil {
   299  		return &LinkError{"symlink", oldname, newname, err}
   300  	}
   301  	var o *uint16
   302  	if filepathlite.IsAbs(oldname) {
   303  		o, err = syscall.UTF16PtrFromString(fixLongPath(oldname))
   304  	} else {
   305  		// Do not use fixLongPath on oldname for relative symlinks,
   306  		// as it would turn the name into an absolute path thus making
   307  		// an absolute symlink instead.
   308  		// Notice that CreateSymbolicLinkW does not fail for relative
   309  		// symlinks beyond MAX_PATH, so this does not prevent the
   310  		// creation of an arbitrary long path name.
   311  		o, err = syscall.UTF16PtrFromString(oldname)
   312  	}
   313  	if err != nil {
   314  		return &LinkError{"symlink", oldname, newname, err}
   315  	}
   316  
   317  	var flags uint32 = windows.SYMBOLIC_LINK_FLAG_ALLOW_UNPRIVILEGED_CREATE
   318  	if isdir {
   319  		flags |= syscall.SYMBOLIC_LINK_FLAG_DIRECTORY
   320  	}
   321  	err = syscall.CreateSymbolicLink(n, o, flags)
   322  	if err != nil {
   323  		// the unprivileged create flag is unsupported
   324  		// below Windows 10 (1703, v10.0.14972). retry without it.
   325  		flags &^= windows.SYMBOLIC_LINK_FLAG_ALLOW_UNPRIVILEGED_CREATE
   326  		err = syscall.CreateSymbolicLink(n, o, flags)
   327  		if err != nil {
   328  			return &LinkError{"symlink", oldname, newname, err}
   329  		}
   330  	}
   331  	return nil
   332  }
   333  
   334  // openSymlink calls CreateFile Windows API with FILE_FLAG_OPEN_REPARSE_POINT
   335  // parameter, so that Windows does not follow symlink, if path is a symlink.
   336  // openSymlink returns opened file handle.
   337  func openSymlink(path string) (syscall.Handle, error) {
   338  	p, err := syscall.UTF16PtrFromString(path)
   339  	if err != nil {
   340  		return 0, err
   341  	}
   342  	attrs := uint32(syscall.FILE_FLAG_BACKUP_SEMANTICS)
   343  	// Use FILE_FLAG_OPEN_REPARSE_POINT, otherwise CreateFile will follow symlink.
   344  	// See https://docs.microsoft.com/en-us/windows/desktop/FileIO/symbolic-link-effects-on-file-systems-functions#createfile-and-createfiletransacted
   345  	attrs |= syscall.FILE_FLAG_OPEN_REPARSE_POINT
   346  	h, err := syscall.CreateFile(p, 0, 0, nil, syscall.OPEN_EXISTING, attrs, 0)
   347  	if err != nil {
   348  		return 0, err
   349  	}
   350  	return h, nil
   351  }
   352  
   353  var winreadlinkvolume = godebug.New("winreadlinkvolume")
   354  
   355  // normaliseLinkPath converts absolute paths returned by
   356  // DeviceIoControl(h, FSCTL_GET_REPARSE_POINT, ...)
   357  // into paths acceptable by all Windows APIs.
   358  // For example, it converts
   359  //
   360  //	\??\C:\foo\bar into C:\foo\bar
   361  //	\??\UNC\foo\bar into \\foo\bar
   362  //	\??\Volume{abc}\ into \\?\Volume{abc}\
   363  func normaliseLinkPath(path string) (string, error) {
   364  	if len(path) < 4 || path[:4] != `\??\` {
   365  		// unexpected path, return it as is
   366  		return path, nil
   367  	}
   368  	// we have path that start with \??\
   369  	s := path[4:]
   370  	switch {
   371  	case len(s) >= 2 && s[1] == ':': // \??\C:\foo\bar
   372  		return s, nil
   373  	case len(s) >= 4 && s[:4] == `UNC\`: // \??\UNC\foo\bar
   374  		return `\\` + s[4:], nil
   375  	}
   376  
   377  	// \??\Volume{abc}\
   378  	if winreadlinkvolume.Value() != "0" {
   379  		return `\\?\` + path[4:], nil
   380  	}
   381  	winreadlinkvolume.IncNonDefault()
   382  
   383  	h, err := openSymlink(path)
   384  	if err != nil {
   385  		return "", err
   386  	}
   387  	defer syscall.CloseHandle(h)
   388  
   389  	buf := make([]uint16, 100)
   390  	for {
   391  		n, err := windows.GetFinalPathNameByHandle(h, &buf[0], uint32(len(buf)), windows.VOLUME_NAME_DOS)
   392  		if err != nil {
   393  			return "", err
   394  		}
   395  		if n < uint32(len(buf)) {
   396  			break
   397  		}
   398  		buf = make([]uint16, n)
   399  	}
   400  	s = syscall.UTF16ToString(buf)
   401  	if len(s) > 4 && s[:4] == `\\?\` {
   402  		s = s[4:]
   403  		if len(s) > 3 && s[:3] == `UNC` {
   404  			// return path like \\server\share\...
   405  			return `\` + s[3:], nil
   406  		}
   407  		return s, nil
   408  	}
   409  	return "", errors.New("GetFinalPathNameByHandle returned unexpected path: " + s)
   410  }
   411  
   412  func readReparseLink(path string) (string, error) {
   413  	h, err := openSymlink(path)
   414  	if err != nil {
   415  		return "", err
   416  	}
   417  	defer syscall.CloseHandle(h)
   418  	return readReparseLinkHandle(h)
   419  }
   420  
   421  func readReparseLinkHandle(h syscall.Handle) (string, error) {
   422  	rdbbuf := make([]byte, syscall.MAXIMUM_REPARSE_DATA_BUFFER_SIZE)
   423  	var bytesReturned uint32
   424  	err := syscall.DeviceIoControl(h, syscall.FSCTL_GET_REPARSE_POINT, nil, 0, &rdbbuf[0], uint32(len(rdbbuf)), &bytesReturned, nil)
   425  	if err != nil {
   426  		return "", err
   427  	}
   428  
   429  	rdb := (*windows.REPARSE_DATA_BUFFER)(unsafe.Pointer(&rdbbuf[0]))
   430  	switch rdb.ReparseTag {
   431  	case syscall.IO_REPARSE_TAG_SYMLINK:
   432  		rb := (*windows.SymbolicLinkReparseBuffer)(unsafe.Pointer(&rdb.DUMMYUNIONNAME))
   433  		s := rb.Path()
   434  		if rb.Flags&windows.SYMLINK_FLAG_RELATIVE != 0 {
   435  			return s, nil
   436  		}
   437  		return normaliseLinkPath(s)
   438  	case windows.IO_REPARSE_TAG_MOUNT_POINT:
   439  		return normaliseLinkPath((*windows.MountPointReparseBuffer)(unsafe.Pointer(&rdb.DUMMYUNIONNAME)).Path())
   440  	default:
   441  		// the path is not a symlink or junction but another type of reparse
   442  		// point
   443  		return "", syscall.ENOENT
   444  	}
   445  }
   446  
   447  func readlink(name string) (string, error) {
   448  	s, err := readReparseLink(fixLongPath(name))
   449  	if err != nil {
   450  		return "", &PathError{Op: "readlink", Path: name, Err: err}
   451  	}
   452  	return s, nil
   453  }
   454  

View as plain text