Remove GetSystemLibraryPaths.
[oota-llvm.git] / lib / Support / Windows / Path.inc
1 //===- llvm/Support/Win32/Path.cpp - Win32 Path Implementation ---*- C++ -*-===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This file provides the Win32 specific implementation of the Path class.
11 //
12 //===----------------------------------------------------------------------===//
13
14 //===----------------------------------------------------------------------===//
15 //=== WARNING: Implementation here must contain only generic Win32 code that
16 //===          is guaranteed to work on *all* Win32 variants.
17 //===----------------------------------------------------------------------===//
18
19 #include "Windows.h"
20 #include <cstdio>
21 #include <malloc.h>
22
23 // We need to undo a macro defined in Windows.h, otherwise we won't compile:
24 #undef CopyFile
25 #undef GetCurrentDirectory
26
27 // Windows happily accepts either forward or backward slashes, though any path
28 // returned by a Win32 API will have backward slashes.  As LLVM code basically
29 // assumes forward slashes are used, backward slashs are converted where they
30 // can be introduced into a path.
31 //
32 // Another invariant is that a path ends with a slash if and only if the path
33 // is a root directory.  Any other use of a trailing slash is stripped.  Unlike
34 // in Unix, Windows has a rather complicated notion of a root path and this
35 // invariant helps simply the code.
36
37 static void FlipBackSlashes(std::string& s) {
38   for (size_t i = 0; i < s.size(); i++)
39     if (s[i] == '\\')
40       s[i] = '/';
41 }
42
43 namespace llvm {
44 namespace sys {
45
46 const char PathSeparator = ';';
47
48 StringRef Path::GetEXESuffix() {
49   return "exe";
50 }
51
52 Path::Path(llvm::StringRef p)
53   : path(p) {
54   FlipBackSlashes(path);
55 }
56
57 Path::Path(const char *StrStart, unsigned StrLen)
58   : path(StrStart, StrLen) {
59   FlipBackSlashes(path);
60 }
61
62 Path&
63 Path::operator=(StringRef that) {
64   path.assign(that.data(), that.size());
65   FlipBackSlashes(path);
66   return *this;
67 }
68
69 bool
70 Path::isValid() const {
71   if (path.empty())
72     return false;
73
74   size_t len = path.size();
75   // If there is a null character, it and all its successors are ignored.
76   size_t pos = path.find_first_of('\0');
77   if (pos != std::string::npos)
78     len = pos;
79
80   // If there is a colon, it must be the second character, preceded by a letter
81   // and followed by something.
82   pos = path.rfind(':',len);
83   size_t rootslash = 0;
84   if (pos != std::string::npos) {
85     if (pos != 1 || !isalpha(static_cast<unsigned char>(path[0])) || len < 3)
86       return false;
87       rootslash = 2;
88   }
89
90   // Look for a UNC path, and if found adjust our notion of the root slash.
91   if (len > 3 && path[0] == '/' && path[1] == '/') {
92     rootslash = path.find('/', 2);
93     if (rootslash == std::string::npos)
94       rootslash = 0;
95   }
96
97   // Check for illegal characters.
98   if (path.find_first_of("\\<>\"|\001\002\003\004\005\006\007\010\011\012"
99                          "\013\014\015\016\017\020\021\022\023\024\025\026"
100                          "\027\030\031\032\033\034\035\036\037")
101       != std::string::npos)
102     return false;
103
104   // Remove trailing slash, unless it's a root slash.
105   if (len > rootslash+1 && path[len-1] == '/')
106     path.erase(--len);
107
108   // Check each component for legality.
109   for (pos = 0; pos < len; ++pos) {
110     // A component may not end in a space.
111     if (path[pos] == ' ') {
112       if (pos+1 == len || path[pos+1] == '/' || path[pos+1] == '\0')
113         return false;
114     }
115
116     // A component may not end in a period.
117     if (path[pos] == '.') {
118       if (pos+1 == len || path[pos+1] == '/') {
119         // Unless it is the pseudo-directory "."...
120         if (pos == 0 || path[pos-1] == '/' || path[pos-1] == ':')
121           return true;
122         // or "..".
123         if (pos > 0 && path[pos-1] == '.') {
124           if (pos == 1 || path[pos-2] == '/' || path[pos-2] == ':')
125             return true;
126         }
127         return false;
128       }
129     }
130   }
131
132   return true;
133 }
134
135 void Path::makeAbsolute() {
136   TCHAR  FullPath[MAX_PATH + 1] = {0};
137   LPTSTR FilePart = NULL;
138
139   DWORD RetLength = ::GetFullPathNameA(path.c_str(),
140                         sizeof(FullPath)/sizeof(FullPath[0]),
141                         FullPath, &FilePart);
142
143   if (0 == RetLength) {
144     // FIXME: Report the error GetLastError()
145     assert(0 && "Unable to make absolute path!");
146   } else if (RetLength > MAX_PATH) {
147     // FIXME: Report too small buffer (needed RetLength bytes).
148     assert(0 && "Unable to make absolute path!");
149   } else {
150     path = FullPath;
151   }
152 }
153
154 bool
155 Path::isAbsolute(const char *NameStart, unsigned NameLen) {
156   assert(NameStart);
157   // FIXME: This does not handle correctly an absolute path starting from
158   // a drive letter or in UNC format.
159   switch (NameLen) {
160   case 0:
161     return false;
162   case 1:
163   case 2:
164     return NameStart[0] == '/';
165   default:
166     return
167       (NameStart[0] == '/' || (NameStart[1] == ':' && NameStart[2] == '/')) ||
168       (NameStart[0] == '\\' || (NameStart[1] == ':' && NameStart[2] == '\\'));
169   }
170 }
171
172 bool
173 Path::isAbsolute() const {
174   // FIXME: This does not handle correctly an absolute path starting from
175   // a drive letter or in UNC format.
176   switch (path.length()) {
177     case 0:
178       return false;
179     case 1:
180     case 2:
181       return path[0] == '/';
182     default:
183       return path[0] == '/' || (path[1] == ':' && path[2] == '/');
184   }
185 }
186
187 static Path *TempDirectory;
188
189 Path
190 Path::GetTemporaryDirectory(std::string* ErrMsg) {
191   if (TempDirectory) {
192 #if defined(_MSC_VER)
193     // Visual Studio gets confused and emits a diagnostic about calling exists,
194     // even though this is the implementation for PathV1.  Temporarily 
195     // disable the deprecated warning message
196     #pragma warning(push)
197     #pragma warning(disable:4996)
198 #endif
199     assert(TempDirectory->exists() && "Who has removed TempDirectory?");
200 #if defined(_MSC_VER)
201     #pragma warning(pop)
202 #endif
203     return *TempDirectory;
204   }
205
206   char pathname[MAX_PATH];
207   if (!GetTempPath(MAX_PATH, pathname)) {
208     if (ErrMsg)
209       *ErrMsg = "Can't determine temporary directory";
210     return Path();
211   }
212
213   Path result;
214   result.set(pathname);
215
216   // Append a subdirectory based on our process id so multiple LLVMs don't
217   // step on each other's toes.
218 #ifdef __MINGW32__
219   // Mingw's Win32 header files are broken.
220   sprintf(pathname, "LLVM_%u", unsigned(GetCurrentProcessId()));
221 #else
222   sprintf(pathname, "LLVM_%u", GetCurrentProcessId());
223 #endif
224   result.appendComponent(pathname);
225
226   // If there's a directory left over from a previous LLVM execution that
227   // happened to have the same process id, get rid of it.
228   result.eraseFromDisk(true);
229
230   // And finally (re-)create the empty directory.
231   result.createDirectoryOnDisk(false);
232   TempDirectory = new Path(result);
233   return *TempDirectory;
234 }
235
236 // FIXME: the following set of functions don't map to Windows very well.
237 Path
238 Path::GetRootDirectory() {
239   // This is the only notion that that Windows has of a root directory. Nothing
240   // is here except for drives.
241   return Path("file:///");
242 }
243
244 Path
245 Path::GetUserHomeDirectory() {
246   char buff[MAX_PATH];
247   HRESULT res = SHGetFolderPathA(NULL,
248                                  CSIDL_FLAG_CREATE | CSIDL_APPDATA,
249                                  NULL,
250                                  SHGFP_TYPE_CURRENT,
251                                  buff);
252   if (res != S_OK)
253     assert(0 && "Failed to get user home directory");
254   return Path(buff);
255 }
256
257 Path
258 Path::GetCurrentDirectory() {
259   char pathname[MAX_PATH];
260   ::GetCurrentDirectoryA(MAX_PATH,pathname);
261   return Path(pathname);
262 }
263
264 /// GetMainExecutable - Return the path to the main executable, given the
265 /// value of argv[0] from program startup.
266 Path Path::GetMainExecutable(const char *argv0, void *MainAddr) {
267   char pathname[MAX_PATH];
268   DWORD ret = ::GetModuleFileNameA(NULL, pathname, MAX_PATH);
269   return ret != MAX_PATH ? Path(pathname) : Path();
270 }
271
272
273 // FIXME: the above set of functions don't map to Windows very well.
274
275
276 StringRef Path::getDirname() const {
277   return getDirnameCharSep(path, "/");
278 }
279
280 StringRef
281 Path::getBasename() const {
282   // Find the last slash
283   size_t slash = path.rfind('/');
284   if (slash == std::string::npos)
285     slash = 0;
286   else
287     slash++;
288
289   size_t dot = path.rfind('.');
290   if (dot == std::string::npos || dot < slash)
291     return StringRef(path).substr(slash);
292   else
293     return StringRef(path).substr(slash, dot - slash);
294 }
295
296 StringRef
297 Path::getSuffix() const {
298   // Find the last slash
299   size_t slash = path.rfind('/');
300   if (slash == std::string::npos)
301     slash = 0;
302   else
303     slash++;
304
305   size_t dot = path.rfind('.');
306   if (dot == std::string::npos || dot < slash)
307     return StringRef("");
308   else
309     return StringRef(path).substr(dot + 1);
310 }
311
312 bool
313 Path::exists() const {
314   DWORD attr = GetFileAttributes(path.c_str());
315   return attr != INVALID_FILE_ATTRIBUTES;
316 }
317
318 bool
319 Path::isDirectory() const {
320   DWORD attr = GetFileAttributes(path.c_str());
321   return (attr != INVALID_FILE_ATTRIBUTES) &&
322          (attr & FILE_ATTRIBUTE_DIRECTORY);
323 }
324
325 bool
326 Path::isSymLink() const {
327   DWORD attributes = GetFileAttributes(path.c_str());
328
329   if (attributes == INVALID_FILE_ATTRIBUTES)
330     // There's no sane way to report this :(.
331     assert(0 && "GetFileAttributes returned INVALID_FILE_ATTRIBUTES");
332
333   // This isn't exactly what defines a NTFS symlink, but it is only true for
334   // paths that act like a symlink.
335   return attributes & FILE_ATTRIBUTE_REPARSE_POINT;
336 }
337
338 bool
339 Path::canRead() const {
340   // FIXME: take security attributes into account.
341   DWORD attr = GetFileAttributes(path.c_str());
342   return attr != INVALID_FILE_ATTRIBUTES;
343 }
344
345 bool
346 Path::canWrite() const {
347   // FIXME: take security attributes into account.
348   DWORD attr = GetFileAttributes(path.c_str());
349   return (attr != INVALID_FILE_ATTRIBUTES) && !(attr & FILE_ATTRIBUTE_READONLY);
350 }
351
352 bool
353 Path::canExecute() const {
354   // FIXME: take security attributes into account.
355   DWORD attr = GetFileAttributes(path.c_str());
356   return attr != INVALID_FILE_ATTRIBUTES;
357 }
358
359 bool
360 Path::isRegularFile() const {
361   bool res;
362   if (fs::is_regular_file(path, res))
363     return false;
364   return res;
365 }
366
367 StringRef
368 Path::getLast() const {
369   // Find the last slash
370   size_t pos = path.rfind('/');
371
372   // Handle the corner cases
373   if (pos == std::string::npos)
374     return path;
375
376   // If the last character is a slash, we have a root directory
377   if (pos == path.length()-1)
378     return path;
379
380   // Return everything after the last slash
381   return StringRef(path).substr(pos+1);
382 }
383
384 const FileStatus *
385 PathWithStatus::getFileStatus(bool update, std::string *ErrStr) const {
386   if (!fsIsValid || update) {
387     WIN32_FILE_ATTRIBUTE_DATA fi;
388     if (!GetFileAttributesEx(path.c_str(), GetFileExInfoStandard, &fi)) {
389       MakeErrMsg(ErrStr, "getStatusInfo():" + std::string(path) +
390                       ": Can't get status: ");
391       return 0;
392     }
393
394     status.fileSize = fi.nFileSizeHigh;
395     status.fileSize <<= sizeof(fi.nFileSizeHigh)*8;
396     status.fileSize += fi.nFileSizeLow;
397
398     status.mode = fi.dwFileAttributes & FILE_ATTRIBUTE_READONLY ? 0555 : 0777;
399     status.user = 9999;    // Not applicable to Windows, so...
400     status.group = 9999;   // Not applicable to Windows, so...
401
402     // FIXME: this is only unique if the file is accessed by the same file path.
403     // How do we do this for C:\dir\file and ..\dir\file ? Unix has inode
404     // numbers, but the concept doesn't exist in Windows.
405     status.uniqueID = 0;
406     for (unsigned i = 0; i < path.length(); ++i)
407       status.uniqueID += path[i];
408
409     ULARGE_INTEGER ui;
410     ui.LowPart = fi.ftLastWriteTime.dwLowDateTime;
411     ui.HighPart = fi.ftLastWriteTime.dwHighDateTime;
412     status.modTime.fromWin32Time(ui.QuadPart);
413
414     status.isDir = fi.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY;
415     fsIsValid = true;
416   }
417   return &status;
418 }
419
420 bool Path::makeReadableOnDisk(std::string* ErrMsg) {
421   // All files are readable on Windows (ignoring security attributes).
422   return false;
423 }
424
425 bool Path::makeWriteableOnDisk(std::string* ErrMsg) {
426   DWORD attr = GetFileAttributes(path.c_str());
427
428   // If it doesn't exist, we're done.
429   if (attr == INVALID_FILE_ATTRIBUTES)
430     return false;
431
432   if (attr & FILE_ATTRIBUTE_READONLY) {
433     if (!SetFileAttributes(path.c_str(), attr & ~FILE_ATTRIBUTE_READONLY)) {
434       MakeErrMsg(ErrMsg, std::string(path) + ": Can't make file writable: ");
435       return true;
436     }
437   }
438   return false;
439 }
440
441 bool Path::makeExecutableOnDisk(std::string* ErrMsg) {
442   // All files are executable on Windows (ignoring security attributes).
443   return false;
444 }
445
446 bool
447 Path::getDirectoryContents(std::set<Path>& result, std::string* ErrMsg) const {
448   WIN32_FILE_ATTRIBUTE_DATA fi;
449   if (!GetFileAttributesEx(path.c_str(), GetFileExInfoStandard, &fi)) {
450     MakeErrMsg(ErrMsg, path + ": can't get status of file");
451     return true;
452   }
453
454   if (!(fi.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY)) {
455     if (ErrMsg)
456       *ErrMsg = path + ": not a directory";
457     return true;
458   }
459
460   result.clear();
461   WIN32_FIND_DATA fd;
462   std::string searchpath = path;
463   if (path.size() == 0 || searchpath[path.size()-1] == '/')
464     searchpath += "*";
465   else
466     searchpath += "/*";
467
468   HANDLE h = FindFirstFile(searchpath.c_str(), &fd);
469   if (h == INVALID_HANDLE_VALUE) {
470     if (GetLastError() == ERROR_FILE_NOT_FOUND)
471       return true; // not really an error, now is it?
472     MakeErrMsg(ErrMsg, path + ": Can't read directory: ");
473     return true;
474   }
475
476   do {
477     if (fd.cFileName[0] == '.')
478       continue;
479     Path aPath(path);
480     aPath.appendComponent(&fd.cFileName[0]);
481     result.insert(aPath);
482   } while (FindNextFile(h, &fd));
483
484   DWORD err = GetLastError();
485   FindClose(h);
486   if (err != ERROR_NO_MORE_FILES) {
487     SetLastError(err);
488     MakeErrMsg(ErrMsg, path + ": Can't read directory: ");
489     return true;
490   }
491   return false;
492 }
493
494 bool
495 Path::set(StringRef a_path) {
496   if (a_path.empty())
497     return false;
498   std::string save(path);
499   path = a_path;
500   FlipBackSlashes(path);
501   if (!isValid()) {
502     path = save;
503     return false;
504   }
505   return true;
506 }
507
508 bool
509 Path::appendComponent(StringRef name) {
510   if (name.empty())
511     return false;
512   std::string save(path);
513   if (!path.empty()) {
514     size_t last = path.size() - 1;
515     if (path[last] != '/')
516       path += '/';
517   }
518   path += name;
519   if (!isValid()) {
520     path = save;
521     return false;
522   }
523   return true;
524 }
525
526 bool
527 Path::eraseComponent() {
528   size_t slashpos = path.rfind('/',path.size());
529   if (slashpos == path.size() - 1 || slashpos == std::string::npos)
530     return false;
531   std::string save(path);
532   path.erase(slashpos);
533   if (!isValid()) {
534     path = save;
535     return false;
536   }
537   return true;
538 }
539
540 bool
541 Path::eraseSuffix() {
542   size_t dotpos = path.rfind('.',path.size());
543   size_t slashpos = path.rfind('/',path.size());
544   if (dotpos != std::string::npos) {
545     if (slashpos == std::string::npos || dotpos > slashpos+1) {
546       std::string save(path);
547       path.erase(dotpos, path.size()-dotpos);
548       if (!isValid()) {
549         path = save;
550         return false;
551       }
552       return true;
553     }
554   }
555   return false;
556 }
557
558 inline bool PathMsg(std::string* ErrMsg, const char* pathname, const char*msg) {
559   if (ErrMsg)
560     *ErrMsg = std::string(pathname) + ": " + std::string(msg);
561   return true;
562 }
563
564 bool
565 Path::createDirectoryOnDisk(bool create_parents, std::string* ErrMsg) {
566   // Get a writeable copy of the path name
567   size_t len = path.length();
568   char *pathname = reinterpret_cast<char *>(_alloca(len+2));
569   path.copy(pathname, len);
570   pathname[len] = 0;
571
572   // Make sure it ends with a slash.
573   if (len == 0 || pathname[len - 1] != '/') {
574     pathname[len] = '/';
575     pathname[++len] = 0;
576   }
577
578   // Determine starting point for initial / search.
579   char *next = pathname;
580   if (pathname[0] == '/' && pathname[1] == '/') {
581     // Skip host name.
582     next = strchr(pathname+2, '/');
583     if (next == NULL)
584       return PathMsg(ErrMsg, pathname, "badly formed remote directory");
585
586     // Skip share name.
587     next = strchr(next+1, '/');
588     if (next == NULL)
589       return PathMsg(ErrMsg, pathname,"badly formed remote directory");
590
591     next++;
592     if (*next == 0)
593       return PathMsg(ErrMsg, pathname, "badly formed remote directory");
594
595   } else {
596     if (pathname[1] == ':')
597       next += 2;    // skip drive letter
598     if (*next == '/')
599       next++;       // skip root directory
600   }
601
602   // If we're supposed to create intermediate directories
603   if (create_parents) {
604     // Loop through the directory components until we're done
605     while (*next) {
606       next = strchr(next, '/');
607       *next = 0;
608       if (!CreateDirectory(pathname, NULL) &&
609           GetLastError() != ERROR_ALREADY_EXISTS)
610           return MakeErrMsg(ErrMsg,
611             std::string(pathname) + ": Can't create directory: ");
612       *next++ = '/';
613     }
614   } else {
615     // Drop trailing slash.
616     pathname[len-1] = 0;
617     if (!CreateDirectory(pathname, NULL) &&
618         GetLastError() != ERROR_ALREADY_EXISTS) {
619       return MakeErrMsg(ErrMsg, std::string(pathname) +
620                         ": Can't create directory: ");
621     }
622   }
623   return false;
624 }
625
626 bool
627 Path::createFileOnDisk(std::string* ErrMsg) {
628   // Create the file
629   HANDLE h = CreateFile(path.c_str(), GENERIC_WRITE, 0, NULL, CREATE_NEW,
630                         FILE_ATTRIBUTE_NORMAL, NULL);
631   if (h == INVALID_HANDLE_VALUE)
632     return MakeErrMsg(ErrMsg, path + ": Can't create file: ");
633
634   CloseHandle(h);
635   return false;
636 }
637
638 bool
639 Path::eraseFromDisk(bool remove_contents, std::string *ErrStr) const {
640   WIN32_FILE_ATTRIBUTE_DATA fi;
641   if (!GetFileAttributesEx(path.c_str(), GetFileExInfoStandard, &fi))
642     return true;
643
644   if (fi.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) {
645     // If it doesn't exist, we're done.
646     bool Exists;
647     if (fs::exists(path, Exists) || !Exists)
648       return false;
649
650     char *pathname = reinterpret_cast<char *>(_alloca(path.length()+3));
651     int lastchar = path.length() - 1 ;
652     path.copy(pathname, lastchar+1);
653
654     // Make path end with '/*'.
655     if (pathname[lastchar] != '/')
656       pathname[++lastchar] = '/';
657     pathname[lastchar+1] = '*';
658     pathname[lastchar+2] = 0;
659
660     if (remove_contents) {
661       WIN32_FIND_DATA fd;
662       HANDLE h = FindFirstFile(pathname, &fd);
663
664       // It's a bad idea to alter the contents of a directory while enumerating
665       // its contents. So build a list of its contents first, then destroy them.
666
667       if (h != INVALID_HANDLE_VALUE) {
668         std::vector<Path> list;
669
670         do {
671           if (strcmp(fd.cFileName, ".") == 0)
672             continue;
673           if (strcmp(fd.cFileName, "..") == 0)
674             continue;
675
676           Path aPath(path);
677           aPath.appendComponent(&fd.cFileName[0]);
678           list.push_back(aPath);
679         } while (FindNextFile(h, &fd));
680
681         DWORD err = GetLastError();
682         FindClose(h);
683         if (err != ERROR_NO_MORE_FILES) {
684           SetLastError(err);
685           return MakeErrMsg(ErrStr, path + ": Can't read directory: ");
686         }
687
688         for (std::vector<Path>::iterator I = list.begin(); I != list.end();
689              ++I) {
690           Path &aPath = *I;
691           aPath.eraseFromDisk(true);
692         }
693       } else {
694         if (GetLastError() != ERROR_FILE_NOT_FOUND)
695           return MakeErrMsg(ErrStr, path + ": Can't read directory: ");
696       }
697     }
698
699     pathname[lastchar] = 0;
700     if (!RemoveDirectory(pathname))
701       return MakeErrMsg(ErrStr,
702         std::string(pathname) + ": Can't destroy directory: ");
703     return false;
704   } else {
705     // Read-only files cannot be deleted on Windows.  Must remove the read-only
706     // attribute first.
707     if (fi.dwFileAttributes & FILE_ATTRIBUTE_READONLY) {
708       if (!SetFileAttributes(path.c_str(),
709                              fi.dwFileAttributes & ~FILE_ATTRIBUTE_READONLY))
710         return MakeErrMsg(ErrStr, path + ": Can't destroy file: ");
711     }
712
713     if (!DeleteFile(path.c_str()))
714       return MakeErrMsg(ErrStr, path + ": Can't destroy file: ");
715     return false;
716   }
717 }
718
719 bool Path::getMagicNumber(std::string& Magic, unsigned len) const {
720   assert(len < 1024 && "Request for magic string too long");
721   char* buf = reinterpret_cast<char*>(alloca(len));
722
723   HANDLE h = CreateFile(path.c_str(),
724                         GENERIC_READ,
725                         FILE_SHARE_READ,
726                         NULL,
727                         OPEN_EXISTING,
728                         FILE_ATTRIBUTE_NORMAL,
729                         NULL);
730   if (h == INVALID_HANDLE_VALUE)
731     return false;
732
733   DWORD nRead = 0;
734   BOOL ret = ReadFile(h, buf, len, &nRead, NULL);
735   CloseHandle(h);
736
737   if (!ret || nRead != len)
738     return false;
739
740   Magic = std::string(buf, len);
741   return true;
742 }
743
744 bool
745 Path::renamePathOnDisk(const Path& newName, std::string* ErrMsg) {
746   if (!MoveFileEx(path.c_str(), newName.c_str(), MOVEFILE_REPLACE_EXISTING))
747     return MakeErrMsg(ErrMsg, "Can't move '" + path + "' to '" + newName.path
748         + "': ");
749   return false;
750 }
751
752 bool
753 Path::setStatusInfoOnDisk(const FileStatus &si, std::string *ErrMsg) const {
754   // FIXME: should work on directories also.
755   if (!si.isFile) {
756     return true;
757   }
758
759   HANDLE h = CreateFile(path.c_str(),
760                         FILE_READ_ATTRIBUTES | FILE_WRITE_ATTRIBUTES,
761                         FILE_SHARE_READ | FILE_SHARE_WRITE | FILE_SHARE_DELETE,
762                         NULL,
763                         OPEN_EXISTING,
764                         FILE_ATTRIBUTE_NORMAL,
765                         NULL);
766   if (h == INVALID_HANDLE_VALUE)
767     return true;
768
769   BY_HANDLE_FILE_INFORMATION bhfi;
770   if (!GetFileInformationByHandle(h, &bhfi)) {
771     DWORD err = GetLastError();
772     CloseHandle(h);
773     SetLastError(err);
774     return MakeErrMsg(ErrMsg, path + ": GetFileInformationByHandle: ");
775   }
776
777   ULARGE_INTEGER ui;
778   ui.QuadPart = si.modTime.toWin32Time();
779   FILETIME ft;
780   ft.dwLowDateTime = ui.LowPart;
781   ft.dwHighDateTime = ui.HighPart;
782   BOOL ret = SetFileTime(h, NULL, &ft, &ft);
783   DWORD err = GetLastError();
784   CloseHandle(h);
785   if (!ret) {
786     SetLastError(err);
787     return MakeErrMsg(ErrMsg, path + ": SetFileTime: ");
788   }
789
790   // Best we can do with Unix permission bits is to interpret the owner
791   // writable bit.
792   if (si.mode & 0200) {
793     if (bhfi.dwFileAttributes & FILE_ATTRIBUTE_READONLY) {
794       if (!SetFileAttributes(path.c_str(),
795               bhfi.dwFileAttributes & ~FILE_ATTRIBUTE_READONLY))
796         return MakeErrMsg(ErrMsg, path + ": SetFileAttributes: ");
797     }
798   } else {
799     if (!(bhfi.dwFileAttributes & FILE_ATTRIBUTE_READONLY)) {
800       if (!SetFileAttributes(path.c_str(),
801               bhfi.dwFileAttributes | FILE_ATTRIBUTE_READONLY))
802         return MakeErrMsg(ErrMsg, path + ": SetFileAttributes: ");
803     }
804   }
805
806   return false;
807 }
808
809 bool
810 CopyFile(const sys::Path &Dest, const sys::Path &Src, std::string* ErrMsg) {
811   // Can't use CopyFile macro defined in Windows.h because it would mess up the
812   // above line.  We use the expansion it would have in a non-UNICODE build.
813   if (!::CopyFileA(Src.c_str(), Dest.c_str(), false))
814     return MakeErrMsg(ErrMsg, "Can't copy '" + Src.str() +
815                "' to '" + Dest.str() + "': ");
816   return false;
817 }
818
819 bool
820 Path::makeUnique(bool reuse_current, std::string* ErrMsg) {
821   bool Exists;
822   if (reuse_current && (fs::exists(path, Exists) || !Exists))
823     return false; // File doesn't exist already, just use it!
824
825   // Reserve space for -XXXXXX at the end.
826   char *FNBuffer = (char*) alloca(path.size()+8);
827   unsigned offset = path.size();
828   path.copy(FNBuffer, offset);
829
830   // Find a numeric suffix that isn't used by an existing file.  Assume there
831   // won't be more than 1 million files with the same prefix.  Probably a safe
832   // bet.
833   static int FCounter = -1;
834   if (FCounter < 0) {
835     // Give arbitrary initial seed.
836     // FIXME: We should use sys::fs::unique_file() in future.
837     LARGE_INTEGER cnt64;
838     DWORD x = GetCurrentProcessId();
839     x = (x << 16) | (x >> 16);
840     if (QueryPerformanceCounter(&cnt64))    // RDTSC
841       x ^= cnt64.HighPart ^ cnt64.LowPart;
842     FCounter = x % 1000000;
843   }
844   do {
845     sprintf(FNBuffer+offset, "-%06u", FCounter);
846     if (++FCounter > 999999)
847       FCounter = 0;
848     path = FNBuffer;
849   } while (!fs::exists(path, Exists) && Exists);
850   return false;
851 }
852
853 bool
854 Path::createTemporaryFileOnDisk(bool reuse_current, std::string* ErrMsg) {
855   // Make this into a unique file name
856   makeUnique(reuse_current, ErrMsg);
857
858   // Now go and create it
859   HANDLE h = CreateFile(path.c_str(), GENERIC_WRITE, 0, NULL, CREATE_NEW,
860                         FILE_ATTRIBUTE_NORMAL, NULL);
861   if (h == INVALID_HANDLE_VALUE)
862     return MakeErrMsg(ErrMsg, path + ": can't create file");
863
864   CloseHandle(h);
865   return false;
866 }
867
868 /// MapInFilePages - Not yet implemented on win32.
869 const char *Path::MapInFilePages(int FD, size_t FileSize, off_t Offset) {
870   return 0;
871 }
872
873 /// MapInFilePages - Not yet implemented on win32.
874 void Path::UnMapFilePages(const char *Base, size_t FileSize) {
875   assert(0 && "NOT IMPLEMENTED");
876 }
877
878 }
879 }