InitHeaderSearch.cpp revision 202879
1//===--- InitHeaderSearch.cpp - Initialize header search paths ----------*-===//
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 implements the InitHeaderSearch class.
11//
12//===----------------------------------------------------------------------===//
13
14#include "clang/Frontend/Utils.h"
15#include "clang/Basic/FileManager.h"
16#include "clang/Basic/LangOptions.h"
17#include "clang/Frontend/HeaderSearchOptions.h"
18#include "clang/Lex/HeaderSearch.h"
19#include "llvm/ADT/SmallString.h"
20#include "llvm/ADT/SmallPtrSet.h"
21#include "llvm/ADT/SmallVector.h"
22#include "llvm/ADT/StringExtras.h"
23#include "llvm/ADT/Triple.h"
24#include "llvm/ADT/Twine.h"
25#include "llvm/Support/raw_ostream.h"
26#include "llvm/System/Path.h"
27#include "llvm/Config/config.h"
28#ifdef _MSC_VER
29  #define WIN32_LEAN_AND_MEAN 1
30  #include <windows.h>
31#endif
32using namespace clang;
33using namespace clang::frontend;
34
35namespace {
36
37/// InitHeaderSearch - This class makes it easier to set the search paths of
38///  a HeaderSearch object. InitHeaderSearch stores several search path lists
39///  internally, which can be sent to a HeaderSearch object in one swoop.
40class InitHeaderSearch {
41  std::vector<DirectoryLookup> IncludeGroup[4];
42  HeaderSearch& Headers;
43  bool Verbose;
44  std::string isysroot;
45
46public:
47
48  InitHeaderSearch(HeaderSearch &HS,
49      bool verbose = false, const std::string &iSysroot = "")
50    : Headers(HS), Verbose(verbose), isysroot(iSysroot) {}
51
52  /// AddPath - Add the specified path to the specified group list.
53  void AddPath(const llvm::Twine &Path, IncludeDirGroup Group,
54               bool isCXXAware, bool isUserSupplied,
55               bool isFramework, bool IgnoreSysRoot = false);
56
57  /// AddGnuCPlusPlusIncludePaths - Add the necessary paths to suport a gnu
58  ///  libstdc++.
59  void AddGnuCPlusPlusIncludePaths(llvm::StringRef Base,
60                                   llvm::StringRef ArchDir,
61                                   llvm::StringRef Dir32,
62                                   llvm::StringRef Dir64,
63                                   const llvm::Triple &triple);
64
65  /// AddMinGWCPlusPlusIncludePaths - Add the necessary paths to suport a MinGW
66  ///  libstdc++.
67  void AddMinGWCPlusPlusIncludePaths(llvm::StringRef Base,
68                                     llvm::StringRef Arch,
69                                     llvm::StringRef Version);
70
71  /// AddDelimitedPaths - Add a list of paths delimited by the system PATH
72  /// separator. The processing follows that of the CPATH variable for gcc.
73  void AddDelimitedPaths(llvm::StringRef String);
74
75  // AddDefaultCIncludePaths - Add paths that should always be searched.
76  void AddDefaultCIncludePaths(const llvm::Triple &triple);
77
78  // AddDefaultCPlusPlusIncludePaths -  Add paths that should be searched when
79  //  compiling c++.
80  void AddDefaultCPlusPlusIncludePaths(const llvm::Triple &triple);
81
82  /// AddDefaultSystemIncludePaths - Adds the default system include paths so
83  ///  that e.g. stdio.h is found.
84  void AddDefaultSystemIncludePaths(const LangOptions &Lang,
85                                    const llvm::Triple &triple);
86
87  /// Realize - Merges all search path lists into one list and send it to
88  /// HeaderSearch.
89  void Realize();
90};
91
92}
93
94void InitHeaderSearch::AddPath(const llvm::Twine &Path,
95                               IncludeDirGroup Group, bool isCXXAware,
96                               bool isUserSupplied, bool isFramework,
97                               bool IgnoreSysRoot) {
98  assert(!Path.isTriviallyEmpty() && "can't handle empty path here");
99  FileManager &FM = Headers.getFileMgr();
100
101  // Compute the actual path, taking into consideration -isysroot.
102  llvm::SmallString<256> MappedPathStr;
103  llvm::raw_svector_ostream MappedPath(MappedPathStr);
104
105  // Handle isysroot.
106  if (Group == System && !IgnoreSysRoot) {
107    // FIXME: Portability.  This should be a sys::Path interface, this doesn't
108    // handle things like C:\ right, nor win32 \\network\device\blah.
109    if (isysroot.size() != 1 || isysroot[0] != '/') // Add isysroot if present.
110      MappedPath << isysroot;
111  }
112
113  Path.print(MappedPath);
114
115  // Compute the DirectoryLookup type.
116  SrcMgr::CharacteristicKind Type;
117  if (Group == Quoted || Group == Angled)
118    Type = SrcMgr::C_User;
119  else if (isCXXAware)
120    Type = SrcMgr::C_System;
121  else
122    Type = SrcMgr::C_ExternCSystem;
123
124
125  // If the directory exists, add it.
126  if (const DirectoryEntry *DE = FM.getDirectory(MappedPath.str())) {
127    IncludeGroup[Group].push_back(DirectoryLookup(DE, Type, isUserSupplied,
128                                                  isFramework));
129    return;
130  }
131
132  // Check to see if this is an apple-style headermap (which are not allowed to
133  // be frameworks).
134  if (!isFramework) {
135    if (const FileEntry *FE = FM.getFile(MappedPath.str())) {
136      if (const HeaderMap *HM = Headers.CreateHeaderMap(FE)) {
137        // It is a headermap, add it to the search path.
138        IncludeGroup[Group].push_back(DirectoryLookup(HM, Type,isUserSupplied));
139        return;
140      }
141    }
142  }
143
144  if (Verbose)
145    llvm::errs() << "ignoring nonexistent directory \""
146                 << MappedPath.str() << "\"\n";
147}
148
149
150void InitHeaderSearch::AddDelimitedPaths(llvm::StringRef at) {
151  if (at.empty()) // Empty string should not add '.' path.
152    return;
153
154  llvm::StringRef::size_type delim;
155  while ((delim = at.find(llvm::sys::PathSeparator)) != llvm::StringRef::npos) {
156    if (delim == 0)
157      AddPath(".", Angled, false, true, false);
158    else
159      AddPath(at.substr(0, delim), Angled, false, true, false);
160    at = at.substr(delim + 1);
161  }
162
163  if (at.empty())
164    AddPath(".", Angled, false, true, false);
165  else
166    AddPath(at, Angled, false, true, false);
167}
168
169void InitHeaderSearch::AddGnuCPlusPlusIncludePaths(llvm::StringRef Base,
170                                                   llvm::StringRef ArchDir,
171                                                   llvm::StringRef Dir32,
172                                                   llvm::StringRef Dir64,
173                                                   const llvm::Triple &triple) {
174  // Add the base dir
175  AddPath(Base, System, true, false, false);
176
177  // Add the multilib dirs
178  llvm::Triple::ArchType arch = triple.getArch();
179  bool is64bit = arch == llvm::Triple::ppc64 || arch == llvm::Triple::x86_64;
180  if (is64bit)
181    AddPath(Base + "/" + ArchDir + "/" + Dir64, System, true, false, false);
182  else
183    AddPath(Base + "/" + ArchDir + "/" + Dir32, System, true, false, false);
184
185  // Add the backward dir
186  AddPath(Base + "/backward", System, true, false, false);
187}
188
189void InitHeaderSearch::AddMinGWCPlusPlusIncludePaths(llvm::StringRef Base,
190                                                     llvm::StringRef Arch,
191                                                     llvm::StringRef Version) {
192  AddPath(Base + "/" + Arch + "/" + Version + "/include",
193          System, true, false, false);
194  AddPath(Base + "/" + Arch + "/" + Version + "/include/c++",
195          System, true, false, false);
196  AddPath(Base + "/" + Arch + "/" + Version + "/include/c++/backward",
197          System, true, false, false);
198}
199
200  // FIXME: This probably should goto to some platform utils place.
201#ifdef _MSC_VER
202
203  // Read registry string.
204  // This also supports a means to look for high-versioned keys by use
205  // of a $VERSION placeholder in the key path.
206  // $VERSION in the key path is a placeholder for the version number,
207  // causing the highest value path to be searched for and used.
208  // I.e. "HKEY_LOCAL_MACHINE\\SOFTWARE\\Microsoft\\VisualStudio\\$VERSION".
209  // There can be additional characters in the component.  Only the numberic
210  // characters are compared.
211static bool getSystemRegistryString(const char *keyPath, const char *valueName,
212                                    char *value, size_t maxLength) {
213  HKEY hRootKey = NULL;
214  HKEY hKey = NULL;
215  const char* subKey = NULL;
216  DWORD valueType;
217  DWORD valueSize = maxLength - 1;
218  long lResult;
219  bool returnValue = false;
220  if (strncmp(keyPath, "HKEY_CLASSES_ROOT\\", 18) == 0) {
221    hRootKey = HKEY_CLASSES_ROOT;
222    subKey = keyPath + 18;
223  }
224  else if (strncmp(keyPath, "HKEY_USERS\\", 11) == 0) {
225    hRootKey = HKEY_USERS;
226    subKey = keyPath + 11;
227  }
228  else if (strncmp(keyPath, "HKEY_LOCAL_MACHINE\\", 19) == 0) {
229    hRootKey = HKEY_LOCAL_MACHINE;
230    subKey = keyPath + 19;
231  }
232  else if (strncmp(keyPath, "HKEY_CURRENT_USER\\", 18) == 0) {
233    hRootKey = HKEY_CURRENT_USER;
234    subKey = keyPath + 18;
235  }
236  else
237    return(false);
238  const char *placeHolder = strstr(subKey, "$VERSION");
239  char bestName[256];
240  bestName[0] = '\0';
241  // If we have a $VERSION placeholder, do the highest-version search.
242  if (placeHolder) {
243    const char *keyEnd = placeHolder - 1;
244    const char *nextKey = placeHolder;
245    // Find end of previous key.
246    while ((keyEnd > subKey) && (*keyEnd != '\\'))
247      keyEnd--;
248    // Find end of key containing $VERSION.
249    while (*nextKey && (*nextKey != '\\'))
250      nextKey++;
251    size_t partialKeyLength = keyEnd - subKey;
252    char partialKey[256];
253    if (partialKeyLength > sizeof(partialKey))
254      partialKeyLength = sizeof(partialKey);
255    strncpy(partialKey, subKey, partialKeyLength);
256    partialKey[partialKeyLength] = '\0';
257    HKEY hTopKey = NULL;
258    lResult = RegOpenKeyEx(hRootKey, partialKey, 0, KEY_READ, &hTopKey);
259    if (lResult == ERROR_SUCCESS) {
260      char keyName[256];
261      int bestIndex = -1;
262      double bestValue = 0.0;
263      DWORD index, size = sizeof(keyName) - 1;
264      for (index = 0; RegEnumKeyEx(hTopKey, index, keyName, &size, NULL,
265          NULL, NULL, NULL) == ERROR_SUCCESS; index++) {
266        const char *sp = keyName;
267        while (*sp && !isdigit(*sp))
268          sp++;
269        if (!*sp)
270          continue;
271        const char *ep = sp + 1;
272        while (*ep && (isdigit(*ep) || (*ep == '.')))
273          ep++;
274        char numBuf[32];
275        strncpy(numBuf, sp, sizeof(numBuf) - 1);
276        numBuf[sizeof(numBuf) - 1] = '\0';
277        double value = strtod(numBuf, NULL);
278        if (value > bestValue) {
279          bestIndex = (int)index;
280          bestValue = value;
281          strcpy(bestName, keyName);
282        }
283        size = sizeof(keyName) - 1;
284      }
285      // If we found the highest versioned key, open the key and get the value.
286      if (bestIndex != -1) {
287        // Append rest of key.
288        strncat(bestName, nextKey, sizeof(bestName) - 1);
289        bestName[sizeof(bestName) - 1] = '\0';
290        // Open the chosen key path remainder.
291        lResult = RegOpenKeyEx(hTopKey, bestName, 0, KEY_READ, &hKey);
292        if (lResult == ERROR_SUCCESS) {
293          lResult = RegQueryValueEx(hKey, valueName, NULL, &valueType,
294            (LPBYTE)value, &valueSize);
295          if (lResult == ERROR_SUCCESS)
296            returnValue = true;
297          RegCloseKey(hKey);
298        }
299      }
300      RegCloseKey(hTopKey);
301    }
302  }
303  else {
304    lResult = RegOpenKeyEx(hRootKey, subKey, 0, KEY_READ, &hKey);
305    if (lResult == ERROR_SUCCESS) {
306      lResult = RegQueryValueEx(hKey, valueName, NULL, &valueType,
307        (LPBYTE)value, &valueSize);
308      if (lResult == ERROR_SUCCESS)
309        returnValue = true;
310      RegCloseKey(hKey);
311    }
312  }
313  return(returnValue);
314}
315#else // _MSC_VER
316  // Read registry string.
317static bool getSystemRegistryString(const char*, const char*, char*, size_t) {
318  return(false);
319}
320#endif // _MSC_VER
321
322  // Get Visual Studio installation directory.
323static bool getVisualStudioDir(std::string &path) {
324  char vsIDEInstallDir[256];
325  // Try the Windows registry first.
326  bool hasVCDir = getSystemRegistryString(
327    "HKEY_LOCAL_MACHINE\\SOFTWARE\\Microsoft\\VisualStudio\\$VERSION",
328    "InstallDir", vsIDEInstallDir, sizeof(vsIDEInstallDir) - 1);
329    // If we have both vc80 and vc90, pick version we were compiled with.
330  if (hasVCDir && vsIDEInstallDir[0]) {
331    char *p = (char*)strstr(vsIDEInstallDir, "\\Common7\\IDE");
332    if (p)
333      *p = '\0';
334    path = vsIDEInstallDir;
335    return(true);
336  }
337  else {
338    // Try the environment.
339    const char* vs90comntools = getenv("VS90COMNTOOLS");
340    const char* vs80comntools = getenv("VS80COMNTOOLS");
341    const char* vscomntools = NULL;
342      // If we have both vc80 and vc90, pick version we were compiled with.
343    if (vs90comntools && vs80comntools) {
344      #if (_MSC_VER >= 1500)  // VC90
345          vscomntools = vs90comntools;
346      #elif (_MSC_VER == 1400) // VC80
347          vscomntools = vs80comntools;
348      #else
349          vscomntools = vs90comntools;
350      #endif
351    }
352    else if (vs90comntools)
353      vscomntools = vs90comntools;
354    else if (vs80comntools)
355      vscomntools = vs80comntools;
356    if (vscomntools && *vscomntools) {
357      char *p = (char*)strstr(vscomntools, "\\Common7\\Tools");
358      if (p)
359        *p = '\0';
360      path = vscomntools;
361      return(true);
362    }
363    else
364      return(false);
365  }
366  return(false);
367}
368
369  // Get Windows SDK installation directory.
370static bool getWindowsSDKDir(std::string &path) {
371  char windowsSDKInstallDir[256];
372  // Try the Windows registry.
373  bool hasSDKDir = getSystemRegistryString(
374   "HKEY_LOCAL_MACHINE\\SOFTWARE\\Microsoft\\Microsoft SDKs\\Windows\\$VERSION",
375    "InstallationFolder", windowsSDKInstallDir, sizeof(windowsSDKInstallDir) - 1);
376    // If we have both vc80 and vc90, pick version we were compiled with.
377  if (hasSDKDir && windowsSDKInstallDir[0]) {
378    path = windowsSDKInstallDir;
379    return(true);
380  }
381  return(false);
382}
383
384void InitHeaderSearch::AddDefaultCIncludePaths(const llvm::Triple &triple) {
385  // FIXME: temporary hack: hard-coded paths.
386  llvm::StringRef CIncludeDirs(C_INCLUDE_DIRS);
387  if (CIncludeDirs != "") {
388    llvm::SmallVector<llvm::StringRef, 5> dirs;
389    CIncludeDirs.split(dirs, ":");
390    for (llvm::SmallVectorImpl<llvm::StringRef>::iterator i = dirs.begin();
391         i != dirs.end();
392         ++i)
393      AddPath(*i, System, false, false, false);
394    return;
395  }
396  llvm::Triple::OSType os = triple.getOS();
397  switch (os) {
398  case llvm::Triple::Win32:
399    {
400      std::string VSDir;
401      std::string WindowsSDKDir;
402      if (getVisualStudioDir(VSDir)) {
403        AddPath(VSDir + "\\VC\\include", System, false, false, false);
404        if (getWindowsSDKDir(WindowsSDKDir))
405          AddPath(WindowsSDKDir, System, false, false, false);
406        else
407          AddPath(VSDir + "\\VC\\PlatformSDK\\Include",
408            System, false, false, false);
409      }
410      else {
411          // Default install paths.
412        AddPath("C:/Program Files/Microsoft Visual Studio 9.0/VC/include",
413          System, false, false, false);
414        AddPath(
415        "C:/Program Files/Microsoft Visual Studio 9.0/VC/PlatformSDK/Include",
416          System, false, false, false);
417        AddPath("C:/Program Files/Microsoft Visual Studio 8/VC/include",
418          System, false, false, false);
419        AddPath(
420        "C:/Program Files/Microsoft Visual Studio 8/VC/PlatformSDK/Include",
421          System, false, false, false);
422          // For some clang developers.
423        AddPath("G:/Program Files/Microsoft Visual Studio 9.0/VC/include",
424          System, false, false, false);
425        AddPath(
426        "G:/Program Files/Microsoft Visual Studio 9.0/VC/PlatformSDK/Include",
427          System, false, false, false);
428      }
429    }
430    break;
431  case llvm::Triple::MinGW64:
432  case llvm::Triple::MinGW32:
433    AddPath("c:/mingw/include", System, true, false, false);
434    break;
435  default:
436    break;
437  }
438
439  AddPath("/usr/local/include", System, false, false, false);
440  AddPath("/usr/include", System, false, false, false);
441}
442
443void InitHeaderSearch::AddDefaultCPlusPlusIncludePaths(const llvm::Triple &triple) {
444  llvm::Triple::OSType os = triple.getOS();
445  llvm::StringRef CxxIncludeRoot(CXX_INCLUDE_ROOT);
446  if (CxxIncludeRoot != "") {
447    llvm::StringRef CxxIncludeArch(CXX_INCLUDE_ARCH);
448    if (CxxIncludeArch == "")
449      AddGnuCPlusPlusIncludePaths(CxxIncludeRoot, triple.str().c_str(),
450                                  CXX_INCLUDE_32BIT_DIR, CXX_INCLUDE_64BIT_DIR, triple);
451    else
452      AddGnuCPlusPlusIncludePaths(CxxIncludeRoot, CXX_INCLUDE_ARCH,
453                                  CXX_INCLUDE_32BIT_DIR, CXX_INCLUDE_64BIT_DIR, triple);
454    return;
455  }
456  // FIXME: temporary hack: hard-coded paths.
457  switch (os) {
458  case llvm::Triple::Cygwin:
459    AddPath("/lib/gcc/i686-pc-cygwin/3.4.4/include",
460        System, true, false, false);
461    AddPath("/lib/gcc/i686-pc-cygwin/3.4.4/include/c++",
462        System, true, false, false);
463    break;
464  case llvm::Triple::MinGW64:
465    // Try gcc 4.4.0
466    AddMinGWCPlusPlusIncludePaths("c:/MinGW/lib/gcc", "mingw64", "4.4.0");
467    // Try gcc 4.3.0
468    AddMinGWCPlusPlusIncludePaths("c:/MinGW/lib/gcc", "mingw64", "4.3.0");
469    // Fall through.
470  case llvm::Triple::MinGW32:
471    // Try gcc 4.4.0
472    AddMinGWCPlusPlusIncludePaths("c:/MinGW/lib/gcc", "mingw32", "4.4.0");
473    // Try gcc 4.3.0
474    AddMinGWCPlusPlusIncludePaths("c:/MinGW/lib/gcc", "mingw32", "4.3.0");
475    break;
476  case llvm::Triple::Darwin:
477    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.2.1",
478                                "i686-apple-darwin10", "", "x86_64", triple);
479    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.0.0",
480                                "i686-apple-darwin8", "", "", triple);
481    break;
482  case llvm::Triple::DragonFly:
483    AddPath("/usr/include/c++/4.1", System, true, false, false);
484    break;
485  case llvm::Triple::Linux:
486    // Exherbo (2009-10-26)
487    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4.2",
488                                "x86_64-pc-linux-gnu", "32", "", triple);
489    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4.2",
490                                "i686-pc-linux-gnu", "", "", triple);
491    // Debian sid
492    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4.2",
493                                "x86_64-linux-gnu", "32", "", triple);
494    // Ubuntu 7.10 - Gutsy Gibbon
495    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.1.3",
496                                "i486-linux-gnu", "", "", triple);
497    // Ubuntu 9.04
498    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3.3",
499                                "x86_64-linux-gnu","32", "", triple);
500    // Ubuntu 9.10
501    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4.1",
502                                "x86_64-linux-gnu", "32", "", triple);
503    // Fedora 8
504    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.1.2",
505                                "i386-redhat-linux", "", "", triple);
506    // Fedora 9
507    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3.0",
508                                "i386-redhat-linux", "", "", triple);
509    // Fedora 10
510    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3.2",
511                                "i386-redhat-linux","", "", triple);
512
513    // Fedora 10 x86_64
514    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3.2",
515                                "x86_64-redhat-linux", "32", "", triple);
516
517    // Fedora 11
518    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4.1",
519                                "i586-redhat-linux","", "", triple);
520
521    // Fedora 12
522    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4.2",
523                                "i686-redhat-linux","", "", triple);
524
525    // openSUSE 11.1 32 bit
526    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3",
527                                "i586-suse-linux", "", "", triple);
528    // openSUSE 11.1 64 bit
529    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3",
530                                "x86_64-suse-linux", "32", "", triple);
531    // openSUSE 11.2
532    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4",
533                                "i586-suse-linux", "", "", triple);
534    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.4",
535                                "x86_64-suse-linux", "", "", triple);
536    // Arch Linux 2008-06-24
537    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3.1",
538                                "i686-pc-linux-gnu", "", "", triple);
539    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3.1",
540                                "x86_64-unknown-linux-gnu", "", "", triple);
541    // Gentoo x86 2009.1 stable
542    AddGnuCPlusPlusIncludePaths(
543      "/usr/lib/gcc/i686-pc-linux-gnu/4.3.4/include/g++-v4",
544      "i686-pc-linux-gnu", "", "", triple);
545    // Gentoo x86 2009.0 stable
546    AddGnuCPlusPlusIncludePaths(
547      "/usr/lib/gcc/i686-pc-linux-gnu/4.3.2/include/g++-v4",
548      "i686-pc-linux-gnu", "", "", triple);
549    // Gentoo x86 2008.0 stable
550    AddGnuCPlusPlusIncludePaths(
551      "/usr/lib/gcc/i686-pc-linux-gnu/4.1.2/include/g++-v4",
552      "i686-pc-linux-gnu", "", "", triple);
553    // Ubuntu 8.10
554    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3",
555                                "i486-pc-linux-gnu", "", "", triple);
556    // Ubuntu 9.04
557    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.3",
558                                "i486-linux-gnu","", "", triple);
559    // Gentoo amd64 stable
560    AddGnuCPlusPlusIncludePaths(
561        "/usr/lib/gcc/x86_64-pc-linux-gnu/4.1.2/include/g++-v4",
562        "i686-pc-linux-gnu", "", "", triple);
563    break;
564  case llvm::Triple::FreeBSD:
565    AddGnuCPlusPlusIncludePaths("/usr/include/c++/4.2", "", "", "", triple);
566    break;
567  case llvm::Triple::Solaris:
568    // Solaris - Fall though..
569  case llvm::Triple::AuroraUX:
570    // AuroraUX
571    AddGnuCPlusPlusIncludePaths("/opt/gcc4/include/c++/4.2.4",
572                                "i386-pc-solaris2.11", "", "", triple);
573    break;
574  default:
575    break;
576  }
577}
578
579void InitHeaderSearch::AddDefaultSystemIncludePaths(const LangOptions &Lang,
580                                                    const llvm::Triple &triple) {
581  if (Lang.CPlusPlus)
582    AddDefaultCPlusPlusIncludePaths(triple);
583
584  AddDefaultCIncludePaths(triple);
585
586  // Add the default framework include paths on Darwin.
587  if (triple.getOS() == llvm::Triple::Darwin) {
588    AddPath("/System/Library/Frameworks", System, true, false, true);
589    AddPath("/Library/Frameworks", System, true, false, true);
590  }
591}
592
593/// RemoveDuplicates - If there are duplicate directory entries in the specified
594/// search list, remove the later (dead) ones.
595static void RemoveDuplicates(std::vector<DirectoryLookup> &SearchList,
596                             bool Verbose) {
597  llvm::SmallPtrSet<const DirectoryEntry *, 8> SeenDirs;
598  llvm::SmallPtrSet<const DirectoryEntry *, 8> SeenFrameworkDirs;
599  llvm::SmallPtrSet<const HeaderMap *, 8> SeenHeaderMaps;
600  for (unsigned i = 0; i != SearchList.size(); ++i) {
601    unsigned DirToRemove = i;
602
603    const DirectoryLookup &CurEntry = SearchList[i];
604
605    if (CurEntry.isNormalDir()) {
606      // If this isn't the first time we've seen this dir, remove it.
607      if (SeenDirs.insert(CurEntry.getDir()))
608        continue;
609    } else if (CurEntry.isFramework()) {
610      // If this isn't the first time we've seen this framework dir, remove it.
611      if (SeenFrameworkDirs.insert(CurEntry.getFrameworkDir()))
612        continue;
613    } else {
614      assert(CurEntry.isHeaderMap() && "Not a headermap or normal dir?");
615      // If this isn't the first time we've seen this headermap, remove it.
616      if (SeenHeaderMaps.insert(CurEntry.getHeaderMap()))
617        continue;
618    }
619
620    // If we have a normal #include dir/framework/headermap that is shadowed
621    // later in the chain by a system include location, we actually want to
622    // ignore the user's request and drop the user dir... keeping the system
623    // dir.  This is weird, but required to emulate GCC's search path correctly.
624    //
625    // Since dupes of system dirs are rare, just rescan to find the original
626    // that we're nuking instead of using a DenseMap.
627    if (CurEntry.getDirCharacteristic() != SrcMgr::C_User) {
628      // Find the dir that this is the same of.
629      unsigned FirstDir;
630      for (FirstDir = 0; ; ++FirstDir) {
631        assert(FirstDir != i && "Didn't find dupe?");
632
633        const DirectoryLookup &SearchEntry = SearchList[FirstDir];
634
635        // If these are different lookup types, then they can't be the dupe.
636        if (SearchEntry.getLookupType() != CurEntry.getLookupType())
637          continue;
638
639        bool isSame;
640        if (CurEntry.isNormalDir())
641          isSame = SearchEntry.getDir() == CurEntry.getDir();
642        else if (CurEntry.isFramework())
643          isSame = SearchEntry.getFrameworkDir() == CurEntry.getFrameworkDir();
644        else {
645          assert(CurEntry.isHeaderMap() && "Not a headermap or normal dir?");
646          isSame = SearchEntry.getHeaderMap() == CurEntry.getHeaderMap();
647        }
648
649        if (isSame)
650          break;
651      }
652
653      // If the first dir in the search path is a non-system dir, zap it
654      // instead of the system one.
655      if (SearchList[FirstDir].getDirCharacteristic() == SrcMgr::C_User)
656        DirToRemove = FirstDir;
657    }
658
659    if (Verbose) {
660      llvm::errs() << "ignoring duplicate directory \""
661                   << CurEntry.getName() << "\"\n";
662      if (DirToRemove != i)
663        llvm::errs() << "  as it is a non-system directory that duplicates "
664                     << "a system directory\n";
665    }
666
667    // This is reached if the current entry is a duplicate.  Remove the
668    // DirToRemove (usually the current dir).
669    SearchList.erase(SearchList.begin()+DirToRemove);
670    --i;
671  }
672}
673
674
675void InitHeaderSearch::Realize() {
676  // Concatenate ANGLE+SYSTEM+AFTER chains together into SearchList.
677  std::vector<DirectoryLookup> SearchList;
678  SearchList = IncludeGroup[Angled];
679  SearchList.insert(SearchList.end(), IncludeGroup[System].begin(),
680                    IncludeGroup[System].end());
681  SearchList.insert(SearchList.end(), IncludeGroup[After].begin(),
682                    IncludeGroup[After].end());
683  RemoveDuplicates(SearchList, Verbose);
684  RemoveDuplicates(IncludeGroup[Quoted], Verbose);
685
686  // Prepend QUOTED list on the search list.
687  SearchList.insert(SearchList.begin(), IncludeGroup[Quoted].begin(),
688                    IncludeGroup[Quoted].end());
689
690
691  bool DontSearchCurDir = false;  // TODO: set to true if -I- is set?
692  Headers.SetSearchPaths(SearchList, IncludeGroup[Quoted].size(),
693                         DontSearchCurDir);
694
695  // If verbose, print the list of directories that will be searched.
696  if (Verbose) {
697    llvm::errs() << "#include \"...\" search starts here:\n";
698    unsigned QuotedIdx = IncludeGroup[Quoted].size();
699    for (unsigned i = 0, e = SearchList.size(); i != e; ++i) {
700      if (i == QuotedIdx)
701        llvm::errs() << "#include <...> search starts here:\n";
702      const char *Name = SearchList[i].getName();
703      const char *Suffix;
704      if (SearchList[i].isNormalDir())
705        Suffix = "";
706      else if (SearchList[i].isFramework())
707        Suffix = " (framework directory)";
708      else {
709        assert(SearchList[i].isHeaderMap() && "Unknown DirectoryLookup");
710        Suffix = " (headermap)";
711      }
712      llvm::errs() << " " << Name << Suffix << "\n";
713    }
714    llvm::errs() << "End of search list.\n";
715  }
716}
717
718void clang::ApplyHeaderSearchOptions(HeaderSearch &HS,
719                                     const HeaderSearchOptions &HSOpts,
720                                     const LangOptions &Lang,
721                                     const llvm::Triple &Triple) {
722  InitHeaderSearch Init(HS, HSOpts.Verbose, HSOpts.Sysroot);
723
724  // Add the user defined entries.
725  for (unsigned i = 0, e = HSOpts.UserEntries.size(); i != e; ++i) {
726    const HeaderSearchOptions::Entry &E = HSOpts.UserEntries[i];
727    Init.AddPath(E.Path, E.Group, false, E.IsUserSupplied, E.IsFramework,
728                 false);
729  }
730
731  // Add entries from CPATH and friends.
732  Init.AddDelimitedPaths(HSOpts.EnvIncPath);
733  if (Lang.CPlusPlus && Lang.ObjC1)
734    Init.AddDelimitedPaths(HSOpts.ObjCXXEnvIncPath);
735  else if (Lang.CPlusPlus)
736    Init.AddDelimitedPaths(HSOpts.CXXEnvIncPath);
737  else if (Lang.ObjC1)
738    Init.AddDelimitedPaths(HSOpts.ObjCEnvIncPath);
739  else
740    Init.AddDelimitedPaths(HSOpts.CEnvIncPath);
741
742  if (HSOpts.UseBuiltinIncludes) {
743    // Ignore the sys root, we *always* look for clang headers relative to
744    // supplied path.
745    llvm::sys::Path P(HSOpts.ResourceDir);
746    P.appendComponent("include");
747    Init.AddPath(P.str(), System, false, false, false, /*IgnoreSysRoot=*/ true);
748  }
749
750  if (HSOpts.UseStandardIncludes)
751    Init.AddDefaultSystemIncludePaths(Lang, Triple);
752
753  Init.Realize();
754}
755