• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1  //===--- LockFileManager.cpp - File-level Locking Utility------------------===//
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  #include "llvm/Support/LockFileManager.h"
10  #include "llvm/ADT/StringExtras.h"
11  #include "llvm/Support/Errc.h"
12  #include "llvm/Support/FileSystem.h"
13  #include "llvm/Support/MemoryBuffer.h"
14  #include "llvm/Support/raw_ostream.h"
15  #include "llvm/Support/Signals.h"
16  #include <sys/stat.h>
17  #include <sys/types.h>
18  #if LLVM_ON_WIN32
19  #include <windows.h>
20  #endif
21  #if LLVM_ON_UNIX
22  #include <unistd.h>
23  #endif
24  
25  #if defined(__APPLE__) && defined(__MAC_OS_X_VERSION_MIN_REQUIRED) && (__MAC_OS_X_VERSION_MIN_REQUIRED > 1050)
26  #define USE_OSX_GETHOSTUUID 1
27  #else
28  #define USE_OSX_GETHOSTUUID 0
29  #endif
30  
31  #if USE_OSX_GETHOSTUUID
32  #include <uuid/uuid.h>
33  #endif
34  using namespace llvm;
35  
36  /// \brief Attempt to read the lock file with the given name, if it exists.
37  ///
38  /// \param LockFileName The name of the lock file to read.
39  ///
40  /// \returns The process ID of the process that owns this lock file
41  Optional<std::pair<std::string, int> >
readLockFile(StringRef LockFileName)42  LockFileManager::readLockFile(StringRef LockFileName) {
43    // Read the owning host and PID out of the lock file. If it appears that the
44    // owning process is dead, the lock file is invalid.
45    ErrorOr<std::unique_ptr<MemoryBuffer>> MBOrErr =
46        MemoryBuffer::getFile(LockFileName);
47    if (!MBOrErr) {
48      sys::fs::remove(LockFileName);
49      return None;
50    }
51    MemoryBuffer &MB = *MBOrErr.get();
52  
53    StringRef Hostname;
54    StringRef PIDStr;
55    std::tie(Hostname, PIDStr) = getToken(MB.getBuffer(), " ");
56    PIDStr = PIDStr.substr(PIDStr.find_first_not_of(" "));
57    int PID;
58    if (!PIDStr.getAsInteger(10, PID)) {
59      auto Owner = std::make_pair(std::string(Hostname), PID);
60      if (processStillExecuting(Owner.first, Owner.second))
61        return Owner;
62    }
63  
64    // Delete the lock file. It's invalid anyway.
65    sys::fs::remove(LockFileName);
66    return None;
67  }
68  
getHostID(SmallVectorImpl<char> & HostID)69  static std::error_code getHostID(SmallVectorImpl<char> &HostID) {
70    HostID.clear();
71  
72  #if USE_OSX_GETHOSTUUID
73    // On OS X, use the more stable hardware UUID instead of hostname.
74    struct timespec wait = {1, 0}; // 1 second.
75    uuid_t uuid;
76    if (gethostuuid(uuid, &wait) != 0)
77      return std::error_code(errno, std::system_category());
78  
79    uuid_string_t UUIDStr;
80    uuid_unparse(uuid, UUIDStr);
81    StringRef UUIDRef(UUIDStr);
82    HostID.append(UUIDRef.begin(), UUIDRef.end());
83  
84  #elif LLVM_ON_UNIX
85    char HostName[256];
86    HostName[255] = 0;
87    HostName[0] = 0;
88    gethostname(HostName, 255);
89    StringRef HostNameRef(HostName);
90    HostID.append(HostNameRef.begin(), HostNameRef.end());
91  
92  #else
93    StringRef Dummy("localhost");
94    HostID.append(Dummy.begin(), Dummy.end());
95  #endif
96  
97    return std::error_code();
98  }
99  
processStillExecuting(StringRef HostID,int PID)100  bool LockFileManager::processStillExecuting(StringRef HostID, int PID) {
101  #if LLVM_ON_UNIX && !defined(__ANDROID__)
102    SmallString<256> StoredHostID;
103    if (getHostID(StoredHostID))
104      return true; // Conservatively assume it's executing on error.
105  
106    // Check whether the process is dead. If so, we're done.
107    if (StoredHostID == HostID && getsid(PID) == -1 && errno == ESRCH)
108      return false;
109  #endif
110  
111    return true;
112  }
113  
114  namespace {
115  /// An RAII helper object ensure that the unique lock file is removed.
116  ///
117  /// Ensures that if there is an error or a signal before we finish acquiring the
118  /// lock, the unique file will be removed. And if we successfully take the lock,
119  /// the signal handler is left in place so that signals while the lock is held
120  /// will remove the unique lock file. The caller should ensure there is a
121  /// matching call to sys::DontRemoveFileOnSignal when the lock is released.
122  class RemoveUniqueLockFileOnSignal {
123    StringRef Filename;
124    bool RemoveImmediately;
125  public:
RemoveUniqueLockFileOnSignal(StringRef Name)126    RemoveUniqueLockFileOnSignal(StringRef Name)
127    : Filename(Name), RemoveImmediately(true) {
128      sys::RemoveFileOnSignal(Filename, nullptr);
129    }
~RemoveUniqueLockFileOnSignal()130    ~RemoveUniqueLockFileOnSignal() {
131      if (!RemoveImmediately) {
132        // Leave the signal handler enabled. It will be removed when the lock is
133        // released.
134        return;
135      }
136      sys::fs::remove(Filename);
137      sys::DontRemoveFileOnSignal(Filename);
138    }
lockAcquired()139    void lockAcquired() { RemoveImmediately = false; }
140  };
141  } // end anonymous namespace
142  
LockFileManager(StringRef FileName)143  LockFileManager::LockFileManager(StringRef FileName)
144  {
145    this->FileName = FileName;
146    if (std::error_code EC = sys::fs::make_absolute(this->FileName)) {
147      std::string S("failed to obtain absolute path for ");
148      S.append(this->FileName.str());
149      setError(EC, S);
150      return;
151    }
152    LockFileName = this->FileName;
153    LockFileName += ".lock";
154  
155    // If the lock file already exists, don't bother to try to create our own
156    // lock file; it won't work anyway. Just figure out who owns this lock file.
157    if ((Owner = readLockFile(LockFileName)))
158      return;
159  
160    // Create a lock file that is unique to this instance.
161    UniqueLockFileName = LockFileName;
162    UniqueLockFileName += "-%%%%%%%%";
163    int UniqueLockFileID;
164    if (std::error_code EC = sys::fs::createUniqueFile(
165            UniqueLockFileName, UniqueLockFileID, UniqueLockFileName)) {
166      std::string S("failed to create unique file ");
167      S.append(UniqueLockFileName.str());
168      setError(EC, S);
169      return;
170    }
171  
172    // Write our process ID to our unique lock file.
173    {
174      SmallString<256> HostID;
175      if (auto EC = getHostID(HostID)) {
176        setError(EC, "failed to get host id");
177        return;
178      }
179  
180      raw_fd_ostream Out(UniqueLockFileID, /*shouldClose=*/true);
181      Out << HostID << ' ';
182  #if LLVM_ON_UNIX
183      Out << getpid();
184  #else
185      Out << "1";
186  #endif
187      Out.close();
188  
189      if (Out.has_error()) {
190        // We failed to write out PID, so make up an excuse, remove the
191        // unique lock file, and fail.
192        auto EC = make_error_code(errc::no_space_on_device);
193        std::string S("failed to write to ");
194        S.append(UniqueLockFileName.str());
195        setError(EC, S);
196        sys::fs::remove(UniqueLockFileName);
197        return;
198      }
199    }
200  
201    // Clean up the unique file on signal, which also releases the lock if it is
202    // held since the .lock symlink will point to a nonexistent file.
203    RemoveUniqueLockFileOnSignal RemoveUniqueFile(UniqueLockFileName);
204  
205    while (1) {
206      // Create a link from the lock file name. If this succeeds, we're done.
207      std::error_code EC =
208          sys::fs::create_link(UniqueLockFileName, LockFileName);
209      if (!EC) {
210        RemoveUniqueFile.lockAcquired();
211        return;
212      }
213  
214      if (EC != errc::file_exists) {
215        std::string S("failed to create link ");
216        raw_string_ostream OSS(S);
217        OSS << LockFileName.str() << " to " << UniqueLockFileName.str();
218        setError(EC, OSS.str());
219        return;
220      }
221  
222      // Someone else managed to create the lock file first. Read the process ID
223      // from the lock file.
224      if ((Owner = readLockFile(LockFileName))) {
225        // Wipe out our unique lock file (it's useless now)
226        sys::fs::remove(UniqueLockFileName);
227        return;
228      }
229  
230      if (!sys::fs::exists(LockFileName)) {
231        // The previous owner released the lock file before we could read it.
232        // Try to get ownership again.
233        continue;
234      }
235  
236      // There is a lock file that nobody owns; try to clean it up and get
237      // ownership.
238      if ((EC = sys::fs::remove(LockFileName))) {
239        std::string S("failed to remove lockfile ");
240        S.append(UniqueLockFileName.str());
241        setError(EC, S);
242        return;
243      }
244    }
245  }
246  
getState() const247  LockFileManager::LockFileState LockFileManager::getState() const {
248    if (Owner)
249      return LFS_Shared;
250  
251    if (Error)
252      return LFS_Error;
253  
254    return LFS_Owned;
255  }
256  
getErrorMessage() const257  std::string LockFileManager::getErrorMessage() const {
258    if (Error) {
259      std::string Str(ErrorDiagMsg);
260      std::string ErrCodeMsg = Error->message();
261      raw_string_ostream OSS(Str);
262      if (!ErrCodeMsg.empty())
263        OSS << ": " << Error->message();
264      OSS.flush();
265      return Str;
266    }
267    return "";
268  }
269  
~LockFileManager()270  LockFileManager::~LockFileManager() {
271    if (getState() != LFS_Owned)
272      return;
273  
274    // Since we own the lock, remove the lock file and our own unique lock file.
275    sys::fs::remove(LockFileName);
276    sys::fs::remove(UniqueLockFileName);
277    // The unique file is now gone, so remove it from the signal handler. This
278    // matches a sys::RemoveFileOnSignal() in LockFileManager().
279    sys::DontRemoveFileOnSignal(UniqueLockFileName);
280  }
281  
waitForUnlock()282  LockFileManager::WaitForUnlockResult LockFileManager::waitForUnlock() {
283    if (getState() != LFS_Shared)
284      return Res_Success;
285  
286  #if LLVM_ON_WIN32
287    unsigned long Interval = 1;
288  #else
289    struct timespec Interval;
290    Interval.tv_sec = 0;
291    Interval.tv_nsec = 1000000;
292  #endif
293    // Don't wait more than five minutes per iteration. Total timeout for the file
294    // to appear is ~8.5 mins.
295    const unsigned MaxSeconds = 5*60;
296    do {
297      // Sleep for the designated interval, to allow the owning process time to
298      // finish up and remove the lock file.
299      // FIXME: Should we hook in to system APIs to get a notification when the
300      // lock file is deleted?
301  #if LLVM_ON_WIN32
302      Sleep(Interval);
303  #else
304      nanosleep(&Interval, nullptr);
305  #endif
306  
307      if (sys::fs::access(LockFileName.c_str(), sys::fs::AccessMode::Exist) ==
308          errc::no_such_file_or_directory) {
309        // If the original file wasn't created, somone thought the lock was dead.
310        if (!sys::fs::exists(FileName))
311          return Res_OwnerDied;
312        return Res_Success;
313      }
314  
315      // If the process owning the lock died without cleaning up, just bail out.
316      if (!processStillExecuting((*Owner).first, (*Owner).second))
317        return Res_OwnerDied;
318  
319      // Exponentially increase the time we wait for the lock to be removed.
320  #if LLVM_ON_WIN32
321      Interval *= 2;
322  #else
323      Interval.tv_sec *= 2;
324      Interval.tv_nsec *= 2;
325      if (Interval.tv_nsec >= 1000000000) {
326        ++Interval.tv_sec;
327        Interval.tv_nsec -= 1000000000;
328      }
329  #endif
330    } while (
331  #if LLVM_ON_WIN32
332             Interval < MaxSeconds * 1000
333  #else
334             Interval.tv_sec < (time_t)MaxSeconds
335  #endif
336             );
337  
338    // Give up.
339    return Res_Timeout;
340  }
341  
unsafeRemoveLockFile()342  std::error_code LockFileManager::unsafeRemoveLockFile() {
343    return sys::fs::remove(LockFileName);
344  }
345