1ee3c74fbSChris Lattner //===- FileCheck.cpp - Check that File's Contents match what is expected --===//
2ee3c74fbSChris Lattner //
3ee3c74fbSChris Lattner //                     The LLVM Compiler Infrastructure
4ee3c74fbSChris Lattner //
5ee3c74fbSChris Lattner // This file is distributed under the University of Illinois Open Source
6ee3c74fbSChris Lattner // License. See LICENSE.TXT for details.
7ee3c74fbSChris Lattner //
8ee3c74fbSChris Lattner //===----------------------------------------------------------------------===//
9ee3c74fbSChris Lattner //
10ee3c74fbSChris Lattner // FileCheck does a line-by line check of a file that validates whether it
11ee3c74fbSChris Lattner // contains the expected content.  This is useful for regression tests etc.
12ee3c74fbSChris Lattner //
13ee3c74fbSChris Lattner // This program exits with an error status of 2 on error, exit status of 0 if
14ee3c74fbSChris Lattner // the file matched the expected contents, and exit status of 1 if it did not
15ee3c74fbSChris Lattner // contain the expected contents.
16ee3c74fbSChris Lattner //
17ee3c74fbSChris Lattner //===----------------------------------------------------------------------===//
18ee3c74fbSChris Lattner 
1991d19d8eSChandler Carruth #include "llvm/ADT/SmallString.h"
2091d19d8eSChandler Carruth #include "llvm/ADT/StringExtras.h"
2191d19d8eSChandler Carruth #include "llvm/ADT/StringMap.h"
2213df4626SMatt Arsenault #include "llvm/ADT/StringSet.h"
23ee3c74fbSChris Lattner #include "llvm/Support/CommandLine.h"
24ee3c74fbSChris Lattner #include "llvm/Support/MemoryBuffer.h"
25ee3c74fbSChris Lattner #include "llvm/Support/PrettyStackTrace.h"
26f08d2db9SChris Lattner #include "llvm/Support/Regex.h"
2791d19d8eSChandler Carruth #include "llvm/Support/Signals.h"
28ee3c74fbSChris Lattner #include "llvm/Support/SourceMgr.h"
29ee3c74fbSChris Lattner #include "llvm/Support/raw_ostream.h"
308879e06dSChris Lattner #include <algorithm>
31981af002SWill Dietz #include <cctype>
32e8b8f1bcSEli Bendersky #include <map>
33e8b8f1bcSEli Bendersky #include <string>
34a6e9c3e4SRafael Espindola #include <system_error>
35e8b8f1bcSEli Bendersky #include <vector>
36ee3c74fbSChris Lattner using namespace llvm;
37ee3c74fbSChris Lattner 
38ee3c74fbSChris Lattner static cl::opt<std::string>
39ee3c74fbSChris Lattner     CheckFilename(cl::Positional, cl::desc("<check-file>"), cl::Required);
40ee3c74fbSChris Lattner 
41ee3c74fbSChris Lattner static cl::opt<std::string>
42ee3c74fbSChris Lattner     InputFilename("input-file", cl::desc("File to check (defaults to stdin)"),
43ee3c74fbSChris Lattner                   cl::init("-"), cl::value_desc("filename"));
44ee3c74fbSChris Lattner 
45e8f2fb20SChandler Carruth static cl::list<std::string> CheckPrefixes(
46e8f2fb20SChandler Carruth     "check-prefix",
47ee3c74fbSChris Lattner     cl::desc("Prefix to use from check file (defaults to 'CHECK')"));
48fd557cb0SDaniel Sanders static cl::alias CheckPrefixesAlias(
49fd557cb0SDaniel Sanders     "check-prefixes", cl::aliasopt(CheckPrefixes), cl::CommaSeparated,
50fd557cb0SDaniel Sanders     cl::NotHidden,
51fd557cb0SDaniel Sanders     cl::desc(
52fd557cb0SDaniel Sanders         "Alias for -check-prefix permitting multiple comma separated values"));
53ee3c74fbSChris Lattner 
54e8f2fb20SChandler Carruth static cl::opt<bool> NoCanonicalizeWhiteSpace(
55e8f2fb20SChandler Carruth     "strict-whitespace",
562c3e5cdfSChris Lattner     cl::desc("Do not treat all horizontal whitespace as equivalent"));
572c3e5cdfSChris Lattner 
5856ccdbbdSAlexander Kornienko static cl::list<std::string> ImplicitCheckNot(
5956ccdbbdSAlexander Kornienko     "implicit-check-not",
6056ccdbbdSAlexander Kornienko     cl::desc("Add an implicit negative check with this pattern to every\n"
6156ccdbbdSAlexander Kornienko              "positive check. This can be used to ensure that no instances of\n"
6256ccdbbdSAlexander Kornienko              "this pattern occur which are not matched by a positive pattern"),
6356ccdbbdSAlexander Kornienko     cl::value_desc("pattern"));
6456ccdbbdSAlexander Kornienko 
651b9f936fSJustin Bogner static cl::opt<bool> AllowEmptyInput(
661b9f936fSJustin Bogner     "allow-empty", cl::init(false),
671b9f936fSJustin Bogner     cl::desc("Allow the input file to be empty. This is useful when making\n"
681b9f936fSJustin Bogner              "checks that some error message does not occur, for example."));
691b9f936fSJustin Bogner 
7085913ccaSJames Y Knight static cl::opt<bool> MatchFullLines(
7185913ccaSJames Y Knight     "match-full-lines", cl::init(false),
7285913ccaSJames Y Knight     cl::desc("Require all positive matches to cover an entire input line.\n"
7385913ccaSJames Y Knight              "Allows leading and trailing whitespace if --strict-whitespace\n"
7485913ccaSJames Y Knight              "is not also passed."));
7585913ccaSJames Y Knight 
7613df4626SMatt Arsenault typedef cl::list<std::string>::const_iterator prefix_iterator;
7713df4626SMatt Arsenault 
7874d50731SChris Lattner //===----------------------------------------------------------------------===//
7974d50731SChris Lattner // Pattern Handling Code.
8074d50731SChris Lattner //===----------------------------------------------------------------------===//
8174d50731SChris Lattner 
8238820972SMatt Arsenault namespace Check {
8338820972SMatt Arsenault enum CheckType {
8438820972SMatt Arsenault   CheckNone = 0,
8538820972SMatt Arsenault   CheckPlain,
8638820972SMatt Arsenault   CheckNext,
8701ac1707SDuncan P. N. Exon Smith   CheckSame,
8838820972SMatt Arsenault   CheckNot,
8938820972SMatt Arsenault   CheckDAG,
9038820972SMatt Arsenault   CheckLabel,
910a4c44bdSChris Lattner 
924dabac20SChandler Carruth   /// Indicates the pattern only matches the end of file. This is used for
934dabac20SChandler Carruth   /// trailing CHECK-NOTs.
94a908e7bdSPaul Robinson   CheckEOF,
954dabac20SChandler Carruth 
964dabac20SChandler Carruth   /// Marks when parsing found a -NOT check combined with another CHECK suffix.
97a908e7bdSPaul Robinson   CheckBadNot
9838820972SMatt Arsenault };
9938820972SMatt Arsenault }
100eba55822SJakob Stoklund Olesen 
10138820972SMatt Arsenault class Pattern {
10238820972SMatt Arsenault   SMLoc PatternLoc;
10391a1b2c9SMichael Liao 
1044dabac20SChandler Carruth   /// A fixed string to match as the pattern or empty if this pattern requires
1054dabac20SChandler Carruth   /// a regex match.
106221460e0SChris Lattner   StringRef FixedStr;
107b16ab0c4SChris Lattner 
1084dabac20SChandler Carruth   /// A regex string to match as the pattern or empty if this pattern requires
1094dabac20SChandler Carruth   /// a fixed string to match.
110b16ab0c4SChris Lattner   std::string RegExStr;
1118879e06dSChris Lattner 
1124dabac20SChandler Carruth   /// Entries in this vector map to uses of a variable in the pattern, e.g.
1134dabac20SChandler Carruth   /// "foo[[bar]]baz".  In this case, the RegExStr will contain "foobaz" and
1144dabac20SChandler Carruth   /// we'll get an entry in this vector that tells us to insert the value of
1154dabac20SChandler Carruth   /// bar at offset 3.
1168879e06dSChris Lattner   std::vector<std::pair<StringRef, unsigned>> VariableUses;
1178879e06dSChris Lattner 
1184dabac20SChandler Carruth   /// Maps definitions of variables to their parenthesized capture numbers.
1194dabac20SChandler Carruth   ///
1204dabac20SChandler Carruth   /// E.g. for the pattern "foo[[bar:.*]]baz", VariableDefs will map "bar" to
1214dabac20SChandler Carruth   /// 1.
122e8b8f1bcSEli Bendersky   std::map<StringRef, unsigned> VariableDefs;
1238879e06dSChris Lattner 
124d1e020f7SSaleem Abdulrasool   Check::CheckType CheckTy;
1253b40b445SChris Lattner 
1264dabac20SChandler Carruth   /// Contains the number of line this pattern is in.
127d1e020f7SSaleem Abdulrasool   unsigned LineNumber;
128d1e020f7SSaleem Abdulrasool 
129d1e020f7SSaleem Abdulrasool public:
130d1e020f7SSaleem Abdulrasool   explicit Pattern(Check::CheckType Ty) : CheckTy(Ty) {}
13174d50731SChris Lattner 
1324dabac20SChandler Carruth   /// Returns the location in source code.
1330b707eb8SMichael Liao   SMLoc getLoc() const { return PatternLoc; }
1340b707eb8SMichael Liao 
135e8f2fb20SChandler Carruth   bool ParsePattern(StringRef PatternStr, StringRef Prefix, SourceMgr &SM,
13613df4626SMatt Arsenault                     unsigned LineNumber);
1378879e06dSChris Lattner   size_t Match(StringRef Buffer, size_t &MatchLen,
1388879e06dSChris Lattner                StringMap<StringRef> &VariableTable) const;
139e0ef65abSDaniel Dunbar   void PrintFailureInfo(const SourceMgr &SM, StringRef Buffer,
140e0ef65abSDaniel Dunbar                         const StringMap<StringRef> &VariableTable) const;
141e0ef65abSDaniel Dunbar 
142e8f2fb20SChandler Carruth   bool hasVariable() const {
143e8f2fb20SChandler Carruth     return !(VariableUses.empty() && VariableDefs.empty());
144e8f2fb20SChandler Carruth   }
145f8bd2e5bSStephen Lin 
14638820972SMatt Arsenault   Check::CheckType getCheckTy() const { return CheckTy; }
14791a1b2c9SMichael Liao 
148b16ab0c4SChris Lattner private:
149e8b8f1bcSEli Bendersky   bool AddRegExToRegEx(StringRef RS, unsigned &CurParen, SourceMgr &SM);
150e8b8f1bcSEli Bendersky   void AddBackrefToRegEx(unsigned BackrefNum);
151e8f2fb20SChandler Carruth   unsigned
152e8f2fb20SChandler Carruth   ComputeMatchDistance(StringRef Buffer,
153fd29d886SDaniel Dunbar                        const StringMap<StringRef> &VariableTable) const;
15492987fb3SAlexander Kornienko   bool EvaluateExpression(StringRef Expr, std::string &Value) const;
15581e5cd9eSAdrian Prantl   size_t FindRegexVarEnd(StringRef Str, SourceMgr &SM);
1563b40b445SChris Lattner };
1573b40b445SChris Lattner 
1584dabac20SChandler Carruth /// Parses the given string into the Pattern.
1594dabac20SChandler Carruth ///
1604dabac20SChandler Carruth /// \p Prefix provides which prefix is being matched, \p SM provides the
1614dabac20SChandler Carruth /// SourceMgr used for error reports, and \p LineNumber is the line number in
1624dabac20SChandler Carruth /// the input file from which the pattern string was read. Returns true in
1634dabac20SChandler Carruth /// case of an error, false otherwise.
164e8f2fb20SChandler Carruth bool Pattern::ParsePattern(StringRef PatternStr, StringRef Prefix,
165e8f2fb20SChandler Carruth                            SourceMgr &SM, unsigned LineNumber) {
16685913ccaSJames Y Knight   bool MatchFullLinesHere = MatchFullLines && CheckTy != Check::CheckNot;
16785913ccaSJames Y Knight 
16892987fb3SAlexander Kornienko   this->LineNumber = LineNumber;
1690a4c44bdSChris Lattner   PatternLoc = SMLoc::getFromPointer(PatternStr.data());
1700a4c44bdSChris Lattner 
17174d50731SChris Lattner   // Ignore trailing whitespace.
17274d50731SChris Lattner   while (!PatternStr.empty() &&
17374d50731SChris Lattner          (PatternStr.back() == ' ' || PatternStr.back() == '\t'))
17474d50731SChris Lattner     PatternStr = PatternStr.substr(0, PatternStr.size() - 1);
17574d50731SChris Lattner 
17674d50731SChris Lattner   // Check that there is something on the line.
17774d50731SChris Lattner   if (PatternStr.empty()) {
17803b80a40SChris Lattner     SM.PrintMessage(PatternLoc, SourceMgr::DK_Error,
179e8f2fb20SChandler Carruth                     "found empty check string with prefix '" + Prefix + ":'");
18074d50731SChris Lattner     return true;
18174d50731SChris Lattner   }
18274d50731SChris Lattner 
183221460e0SChris Lattner   // Check to see if this is a fixed string, or if it has regex pieces.
18485913ccaSJames Y Knight   if (!MatchFullLinesHere &&
18585913ccaSJames Y Knight       (PatternStr.size() < 2 || (PatternStr.find("{{") == StringRef::npos &&
18685913ccaSJames Y Knight                                  PatternStr.find("[[") == StringRef::npos))) {
187221460e0SChris Lattner     FixedStr = PatternStr;
188221460e0SChris Lattner     return false;
189221460e0SChris Lattner   }
190221460e0SChris Lattner 
19185913ccaSJames Y Knight   if (MatchFullLinesHere) {
19285913ccaSJames Y Knight     RegExStr += '^';
19385913ccaSJames Y Knight     if (!NoCanonicalizeWhiteSpace)
19485913ccaSJames Y Knight       RegExStr += " *";
19585913ccaSJames Y Knight   }
19685913ccaSJames Y Knight 
1978879e06dSChris Lattner   // Paren value #0 is for the fully matched string.  Any new parenthesized
19853e0679dSChris Lattner   // values add from there.
1998879e06dSChris Lattner   unsigned CurParen = 1;
2008879e06dSChris Lattner 
201b16ab0c4SChris Lattner   // Otherwise, there is at least one regex piece.  Build up the regex pattern
202b16ab0c4SChris Lattner   // by escaping scary characters in fixed strings, building up one big regex.
203f08d2db9SChris Lattner   while (!PatternStr.empty()) {
2048879e06dSChris Lattner     // RegEx matches.
20553e0679dSChris Lattner     if (PatternStr.startswith("{{")) {
20643d50d4aSEli Bendersky       // This is the start of a regex match.  Scan for the }}.
207f08d2db9SChris Lattner       size_t End = PatternStr.find("}}");
208f08d2db9SChris Lattner       if (End == StringRef::npos) {
209f08d2db9SChris Lattner         SM.PrintMessage(SMLoc::getFromPointer(PatternStr.data()),
21003b80a40SChris Lattner                         SourceMgr::DK_Error,
21103b80a40SChris Lattner                         "found start of regex string with no end '}}'");
212f08d2db9SChris Lattner         return true;
213f08d2db9SChris Lattner       }
214f08d2db9SChris Lattner 
215e53c95f1SChris Lattner       // Enclose {{}} patterns in parens just like [[]] even though we're not
216e53c95f1SChris Lattner       // capturing the result for any purpose.  This is required in case the
217e53c95f1SChris Lattner       // expression contains an alternation like: CHECK:  abc{{x|z}}def.  We
218e53c95f1SChris Lattner       // want this to turn into: "abc(x|z)def" not "abcx|zdef".
219e53c95f1SChris Lattner       RegExStr += '(';
220e53c95f1SChris Lattner       ++CurParen;
221e53c95f1SChris Lattner 
2228879e06dSChris Lattner       if (AddRegExToRegEx(PatternStr.substr(2, End - 2), CurParen, SM))
2238879e06dSChris Lattner         return true;
224e53c95f1SChris Lattner       RegExStr += ')';
22553e0679dSChris Lattner 
2268879e06dSChris Lattner       PatternStr = PatternStr.substr(End + 2);
2278879e06dSChris Lattner       continue;
2288879e06dSChris Lattner     }
2298879e06dSChris Lattner 
2308879e06dSChris Lattner     // Named RegEx matches.  These are of two forms: [[foo:.*]] which matches .*
2318879e06dSChris Lattner     // (or some other regex) and assigns it to the FileCheck variable 'foo'. The
2328879e06dSChris Lattner     // second form is [[foo]] which is a reference to foo.  The variable name
23357cb733bSDaniel Dunbar     // itself must be of the form "[a-zA-Z_][0-9a-zA-Z_]*", otherwise we reject
2348879e06dSChris Lattner     // it.  This is to catch some common errors.
23553e0679dSChris Lattner     if (PatternStr.startswith("[[")) {
236061d2baaSEli Bendersky       // Find the closing bracket pair ending the match.  End is going to be an
237061d2baaSEli Bendersky       // offset relative to the beginning of the match string.
23881e5cd9eSAdrian Prantl       size_t End = FindRegexVarEnd(PatternStr.substr(2), SM);
239061d2baaSEli Bendersky 
2408879e06dSChris Lattner       if (End == StringRef::npos) {
2418879e06dSChris Lattner         SM.PrintMessage(SMLoc::getFromPointer(PatternStr.data()),
24203b80a40SChris Lattner                         SourceMgr::DK_Error,
24303b80a40SChris Lattner                         "invalid named regex reference, no ]] found");
244f08d2db9SChris Lattner         return true;
245f08d2db9SChris Lattner       }
246f08d2db9SChris Lattner 
247061d2baaSEli Bendersky       StringRef MatchStr = PatternStr.substr(2, End);
248061d2baaSEli Bendersky       PatternStr = PatternStr.substr(End + 4);
2498879e06dSChris Lattner 
2508879e06dSChris Lattner       // Get the regex name (e.g. "foo").
2518879e06dSChris Lattner       size_t NameEnd = MatchStr.find(':');
2528879e06dSChris Lattner       StringRef Name = MatchStr.substr(0, NameEnd);
2538879e06dSChris Lattner 
2548879e06dSChris Lattner       if (Name.empty()) {
25503b80a40SChris Lattner         SM.PrintMessage(SMLoc::getFromPointer(Name.data()), SourceMgr::DK_Error,
25603b80a40SChris Lattner                         "invalid name in named regex: empty name");
2578879e06dSChris Lattner         return true;
2588879e06dSChris Lattner       }
2598879e06dSChris Lattner 
26092987fb3SAlexander Kornienko       // Verify that the name/expression is well formed. FileCheck currently
26192987fb3SAlexander Kornienko       // supports @LINE, @LINE+number, @LINE-number expressions. The check here
26292987fb3SAlexander Kornienko       // is relaxed, more strict check is performed in \c EvaluateExpression.
26392987fb3SAlexander Kornienko       bool IsExpression = false;
26492987fb3SAlexander Kornienko       for (unsigned i = 0, e = Name.size(); i != e; ++i) {
26592987fb3SAlexander Kornienko         if (i == 0 && Name[i] == '@') {
26692987fb3SAlexander Kornienko           if (NameEnd != StringRef::npos) {
26792987fb3SAlexander Kornienko             SM.PrintMessage(SMLoc::getFromPointer(Name.data()),
26892987fb3SAlexander Kornienko                             SourceMgr::DK_Error,
26992987fb3SAlexander Kornienko                             "invalid name in named regex definition");
27092987fb3SAlexander Kornienko             return true;
27192987fb3SAlexander Kornienko           }
27292987fb3SAlexander Kornienko           IsExpression = true;
27392987fb3SAlexander Kornienko           continue;
27492987fb3SAlexander Kornienko         }
27592987fb3SAlexander Kornienko         if (Name[i] != '_' && !isalnum(Name[i]) &&
27692987fb3SAlexander Kornienko             (!IsExpression || (Name[i] != '+' && Name[i] != '-'))) {
2778879e06dSChris Lattner           SM.PrintMessage(SMLoc::getFromPointer(Name.data() + i),
27803b80a40SChris Lattner                           SourceMgr::DK_Error, "invalid name in named regex");
2798879e06dSChris Lattner           return true;
2808879e06dSChris Lattner         }
28192987fb3SAlexander Kornienko       }
2828879e06dSChris Lattner 
2838879e06dSChris Lattner       // Name can't start with a digit.
28483c74e9fSGuy Benyei       if (isdigit(static_cast<unsigned char>(Name[0]))) {
28503b80a40SChris Lattner         SM.PrintMessage(SMLoc::getFromPointer(Name.data()), SourceMgr::DK_Error,
28603b80a40SChris Lattner                         "invalid name in named regex");
2878879e06dSChris Lattner         return true;
2888879e06dSChris Lattner       }
2898879e06dSChris Lattner 
2908879e06dSChris Lattner       // Handle [[foo]].
2918879e06dSChris Lattner       if (NameEnd == StringRef::npos) {
292e8b8f1bcSEli Bendersky         // Handle variables that were defined earlier on the same line by
293e8b8f1bcSEli Bendersky         // emitting a backreference.
294e8b8f1bcSEli Bendersky         if (VariableDefs.find(Name) != VariableDefs.end()) {
295e8b8f1bcSEli Bendersky           unsigned VarParenNum = VariableDefs[Name];
296e8b8f1bcSEli Bendersky           if (VarParenNum < 1 || VarParenNum > 9) {
297e8b8f1bcSEli Bendersky             SM.PrintMessage(SMLoc::getFromPointer(Name.data()),
298e8b8f1bcSEli Bendersky                             SourceMgr::DK_Error,
299e8b8f1bcSEli Bendersky                             "Can't back-reference more than 9 variables");
300e8b8f1bcSEli Bendersky             return true;
301e8b8f1bcSEli Bendersky           }
302e8b8f1bcSEli Bendersky           AddBackrefToRegEx(VarParenNum);
303e8b8f1bcSEli Bendersky         } else {
3048879e06dSChris Lattner           VariableUses.push_back(std::make_pair(Name, RegExStr.size()));
305e8b8f1bcSEli Bendersky         }
3068879e06dSChris Lattner         continue;
3078879e06dSChris Lattner       }
3088879e06dSChris Lattner 
3098879e06dSChris Lattner       // Handle [[foo:.*]].
310e8b8f1bcSEli Bendersky       VariableDefs[Name] = CurParen;
3118879e06dSChris Lattner       RegExStr += '(';
3128879e06dSChris Lattner       ++CurParen;
3138879e06dSChris Lattner 
3148879e06dSChris Lattner       if (AddRegExToRegEx(MatchStr.substr(NameEnd + 1), CurParen, SM))
3158879e06dSChris Lattner         return true;
3168879e06dSChris Lattner 
3178879e06dSChris Lattner       RegExStr += ')';
3188879e06dSChris Lattner     }
3198879e06dSChris Lattner 
3208879e06dSChris Lattner     // Handle fixed string matches.
3218879e06dSChris Lattner     // Find the end, which is the start of the next regex.
3228879e06dSChris Lattner     size_t FixedMatchEnd = PatternStr.find("{{");
3238879e06dSChris Lattner     FixedMatchEnd = std::min(FixedMatchEnd, PatternStr.find("[["));
3246f4f77b7SHans Wennborg     RegExStr += Regex::escape(PatternStr.substr(0, FixedMatchEnd));
3258879e06dSChris Lattner     PatternStr = PatternStr.substr(FixedMatchEnd);
326f08d2db9SChris Lattner   }
327f08d2db9SChris Lattner 
32885913ccaSJames Y Knight   if (MatchFullLinesHere) {
32985913ccaSJames Y Knight     if (!NoCanonicalizeWhiteSpace)
33085913ccaSJames Y Knight       RegExStr += " *";
33185913ccaSJames Y Knight     RegExStr += '$';
33285913ccaSJames Y Knight   }
33385913ccaSJames Y Knight 
33474d50731SChris Lattner   return false;
33574d50731SChris Lattner }
33674d50731SChris Lattner 
337e8f2fb20SChandler Carruth bool Pattern::AddRegExToRegEx(StringRef RS, unsigned &CurParen, SourceMgr &SM) {
338e8b8f1bcSEli Bendersky   Regex R(RS);
3398879e06dSChris Lattner   std::string Error;
3408879e06dSChris Lattner   if (!R.isValid(Error)) {
341e8b8f1bcSEli Bendersky     SM.PrintMessage(SMLoc::getFromPointer(RS.data()), SourceMgr::DK_Error,
34203b80a40SChris Lattner                     "invalid regex: " + Error);
3438879e06dSChris Lattner     return true;
3448879e06dSChris Lattner   }
3458879e06dSChris Lattner 
346e8b8f1bcSEli Bendersky   RegExStr += RS.str();
3478879e06dSChris Lattner   CurParen += R.getNumMatches();
3488879e06dSChris Lattner   return false;
3498879e06dSChris Lattner }
350b16ab0c4SChris Lattner 
351e8b8f1bcSEli Bendersky void Pattern::AddBackrefToRegEx(unsigned BackrefNum) {
352e8b8f1bcSEli Bendersky   assert(BackrefNum >= 1 && BackrefNum <= 9 && "Invalid backref number");
353e8f2fb20SChandler Carruth   std::string Backref = std::string("\\") + std::string(1, '0' + BackrefNum);
354e8b8f1bcSEli Bendersky   RegExStr += Backref;
355e8b8f1bcSEli Bendersky }
356e8b8f1bcSEli Bendersky 
3574dabac20SChandler Carruth /// Evaluates expression and stores the result to \p Value.
3584dabac20SChandler Carruth ///
3594dabac20SChandler Carruth /// Returns true on success and false when the expression has invalid syntax.
36092987fb3SAlexander Kornienko bool Pattern::EvaluateExpression(StringRef Expr, std::string &Value) const {
36192987fb3SAlexander Kornienko   // The only supported expression is @LINE([\+-]\d+)?
36292987fb3SAlexander Kornienko   if (!Expr.startswith("@LINE"))
36392987fb3SAlexander Kornienko     return false;
36492987fb3SAlexander Kornienko   Expr = Expr.substr(StringRef("@LINE").size());
36592987fb3SAlexander Kornienko   int Offset = 0;
36692987fb3SAlexander Kornienko   if (!Expr.empty()) {
36792987fb3SAlexander Kornienko     if (Expr[0] == '+')
36892987fb3SAlexander Kornienko       Expr = Expr.substr(1);
36992987fb3SAlexander Kornienko     else if (Expr[0] != '-')
37092987fb3SAlexander Kornienko       return false;
37192987fb3SAlexander Kornienko     if (Expr.getAsInteger(10, Offset))
37292987fb3SAlexander Kornienko       return false;
37392987fb3SAlexander Kornienko   }
37492987fb3SAlexander Kornienko   Value = llvm::itostr(LineNumber + Offset);
37592987fb3SAlexander Kornienko   return true;
37692987fb3SAlexander Kornienko }
37792987fb3SAlexander Kornienko 
3784dabac20SChandler Carruth /// Matches the pattern string against the input buffer \p Buffer
3794dabac20SChandler Carruth ///
3804dabac20SChandler Carruth /// This returns the position that is matched or npos if there is no match. If
3814dabac20SChandler Carruth /// there is a match, the size of the matched string is returned in \p
3824dabac20SChandler Carruth /// MatchLen.
3834dabac20SChandler Carruth ///
3844dabac20SChandler Carruth /// The \p VariableTable StringMap provides the current values of filecheck
3854dabac20SChandler Carruth /// variables and is updated if this match defines new values.
3868879e06dSChris Lattner size_t Pattern::Match(StringRef Buffer, size_t &MatchLen,
3878879e06dSChris Lattner                       StringMap<StringRef> &VariableTable) const {
388eba55822SJakob Stoklund Olesen   // If this is the EOF pattern, match it immediately.
38938820972SMatt Arsenault   if (CheckTy == Check::CheckEOF) {
390eba55822SJakob Stoklund Olesen     MatchLen = 0;
391eba55822SJakob Stoklund Olesen     return Buffer.size();
392eba55822SJakob Stoklund Olesen   }
393eba55822SJakob Stoklund Olesen 
394221460e0SChris Lattner   // If this is a fixed string pattern, just match it now.
395221460e0SChris Lattner   if (!FixedStr.empty()) {
396221460e0SChris Lattner     MatchLen = FixedStr.size();
397221460e0SChris Lattner     return Buffer.find(FixedStr);
398221460e0SChris Lattner   }
399221460e0SChris Lattner 
400b16ab0c4SChris Lattner   // Regex match.
4018879e06dSChris Lattner 
4028879e06dSChris Lattner   // If there are variable uses, we need to create a temporary string with the
4038879e06dSChris Lattner   // actual value.
4048879e06dSChris Lattner   StringRef RegExToMatch = RegExStr;
4058879e06dSChris Lattner   std::string TmpStr;
4068879e06dSChris Lattner   if (!VariableUses.empty()) {
4078879e06dSChris Lattner     TmpStr = RegExStr;
4088879e06dSChris Lattner 
4098879e06dSChris Lattner     unsigned InsertOffset = 0;
4108f870499SBenjamin Kramer     for (const auto &VariableUse : VariableUses) {
41192987fb3SAlexander Kornienko       std::string Value;
41292987fb3SAlexander Kornienko 
4138f870499SBenjamin Kramer       if (VariableUse.first[0] == '@') {
4148f870499SBenjamin Kramer         if (!EvaluateExpression(VariableUse.first, Value))
41592987fb3SAlexander Kornienko           return StringRef::npos;
41692987fb3SAlexander Kornienko       } else {
417e0ef65abSDaniel Dunbar         StringMap<StringRef>::iterator it =
4188f870499SBenjamin Kramer             VariableTable.find(VariableUse.first);
419e0ef65abSDaniel Dunbar         // If the variable is undefined, return an error.
420e0ef65abSDaniel Dunbar         if (it == VariableTable.end())
421e0ef65abSDaniel Dunbar           return StringRef::npos;
422e0ef65abSDaniel Dunbar 
4236f4f77b7SHans Wennborg         // Look up the value and escape it so that we can put it into the regex.
4246f4f77b7SHans Wennborg         Value += Regex::escape(it->second);
42592987fb3SAlexander Kornienko       }
4268879e06dSChris Lattner 
4278879e06dSChris Lattner       // Plop it into the regex at the adjusted offset.
4288f870499SBenjamin Kramer       TmpStr.insert(TmpStr.begin() + VariableUse.second + InsertOffset,
4298879e06dSChris Lattner                     Value.begin(), Value.end());
4308879e06dSChris Lattner       InsertOffset += Value.size();
4318879e06dSChris Lattner     }
4328879e06dSChris Lattner 
4338879e06dSChris Lattner     // Match the newly constructed regex.
4348879e06dSChris Lattner     RegExToMatch = TmpStr;
4358879e06dSChris Lattner   }
4368879e06dSChris Lattner 
437b16ab0c4SChris Lattner   SmallVector<StringRef, 4> MatchInfo;
4388879e06dSChris Lattner   if (!Regex(RegExToMatch, Regex::Newline).match(Buffer, &MatchInfo))
439f08d2db9SChris Lattner     return StringRef::npos;
440b16ab0c4SChris Lattner 
441b16ab0c4SChris Lattner   // Successful regex match.
442b16ab0c4SChris Lattner   assert(!MatchInfo.empty() && "Didn't get any match");
443b16ab0c4SChris Lattner   StringRef FullMatch = MatchInfo[0];
444b16ab0c4SChris Lattner 
4458879e06dSChris Lattner   // If this defines any variables, remember their values.
4468f870499SBenjamin Kramer   for (const auto &VariableDef : VariableDefs) {
4478f870499SBenjamin Kramer     assert(VariableDef.second < MatchInfo.size() && "Internal paren error");
4488f870499SBenjamin Kramer     VariableTable[VariableDef.first] = MatchInfo[VariableDef.second];
4490a4c44bdSChris Lattner   }
4500a4c44bdSChris Lattner 
451b16ab0c4SChris Lattner   MatchLen = FullMatch.size();
452b16ab0c4SChris Lattner   return FullMatch.data() - Buffer.data();
453f08d2db9SChris Lattner }
454f08d2db9SChris Lattner 
4554dabac20SChandler Carruth 
4564dabac20SChandler Carruth /// Computes an arbitrary estimate for the quality of matching this pattern at
4574dabac20SChandler Carruth /// the start of \p Buffer; a distance of zero should correspond to a perfect
4584dabac20SChandler Carruth /// match.
459e8f2fb20SChandler Carruth unsigned
460e8f2fb20SChandler Carruth Pattern::ComputeMatchDistance(StringRef Buffer,
461fd29d886SDaniel Dunbar                               const StringMap<StringRef> &VariableTable) const {
462fd29d886SDaniel Dunbar   // Just compute the number of matching characters. For regular expressions, we
463fd29d886SDaniel Dunbar   // just compare against the regex itself and hope for the best.
464fd29d886SDaniel Dunbar   //
465fd29d886SDaniel Dunbar   // FIXME: One easy improvement here is have the regex lib generate a single
466fd29d886SDaniel Dunbar   // example regular expression which matches, and use that as the example
467fd29d886SDaniel Dunbar   // string.
468fd29d886SDaniel Dunbar   StringRef ExampleString(FixedStr);
469fd29d886SDaniel Dunbar   if (ExampleString.empty())
470fd29d886SDaniel Dunbar     ExampleString = RegExStr;
471fd29d886SDaniel Dunbar 
472e9aa36c8SDaniel Dunbar   // Only compare up to the first line in the buffer, or the string size.
473e9aa36c8SDaniel Dunbar   StringRef BufferPrefix = Buffer.substr(0, ExampleString.size());
474e9aa36c8SDaniel Dunbar   BufferPrefix = BufferPrefix.split('\n').first;
475e9aa36c8SDaniel Dunbar   return BufferPrefix.edit_distance(ExampleString);
476fd29d886SDaniel Dunbar }
477fd29d886SDaniel Dunbar 
4784dabac20SChandler Carruth /// Prints additional information about a failure to match involving this
4794dabac20SChandler Carruth /// pattern.
480e8f2fb20SChandler Carruth void Pattern::PrintFailureInfo(
481e8f2fb20SChandler Carruth     const SourceMgr &SM, StringRef Buffer,
482e0ef65abSDaniel Dunbar     const StringMap<StringRef> &VariableTable) const {
483e0ef65abSDaniel Dunbar   // If this was a regular expression using variables, print the current
484e0ef65abSDaniel Dunbar   // variable values.
485e0ef65abSDaniel Dunbar   if (!VariableUses.empty()) {
4868f870499SBenjamin Kramer     for (const auto &VariableUse : VariableUses) {
487e69170a1SAlp Toker       SmallString<256> Msg;
488e69170a1SAlp Toker       raw_svector_ostream OS(Msg);
4898f870499SBenjamin Kramer       StringRef Var = VariableUse.first;
49092987fb3SAlexander Kornienko       if (Var[0] == '@') {
49192987fb3SAlexander Kornienko         std::string Value;
49292987fb3SAlexander Kornienko         if (EvaluateExpression(Var, Value)) {
49392987fb3SAlexander Kornienko           OS << "with expression \"";
49492987fb3SAlexander Kornienko           OS.write_escaped(Var) << "\" equal to \"";
49592987fb3SAlexander Kornienko           OS.write_escaped(Value) << "\"";
49692987fb3SAlexander Kornienko         } else {
49792987fb3SAlexander Kornienko           OS << "uses incorrect expression \"";
49892987fb3SAlexander Kornienko           OS.write_escaped(Var) << "\"";
49992987fb3SAlexander Kornienko         }
50092987fb3SAlexander Kornienko       } else {
50192987fb3SAlexander Kornienko         StringMap<StringRef>::const_iterator it = VariableTable.find(Var);
502e0ef65abSDaniel Dunbar 
503e0ef65abSDaniel Dunbar         // Check for undefined variable references.
504e0ef65abSDaniel Dunbar         if (it == VariableTable.end()) {
505e0ef65abSDaniel Dunbar           OS << "uses undefined variable \"";
50692987fb3SAlexander Kornienko           OS.write_escaped(Var) << "\"";
507e0ef65abSDaniel Dunbar         } else {
508e0ef65abSDaniel Dunbar           OS << "with variable \"";
509e0ef65abSDaniel Dunbar           OS.write_escaped(Var) << "\" equal to \"";
510e0ef65abSDaniel Dunbar           OS.write_escaped(it->second) << "\"";
511e0ef65abSDaniel Dunbar         }
51292987fb3SAlexander Kornienko       }
513e0ef65abSDaniel Dunbar 
51403b80a40SChris Lattner       SM.PrintMessage(SMLoc::getFromPointer(Buffer.data()), SourceMgr::DK_Note,
51503b80a40SChris Lattner                       OS.str());
516e0ef65abSDaniel Dunbar     }
517e0ef65abSDaniel Dunbar   }
518fd29d886SDaniel Dunbar 
519fd29d886SDaniel Dunbar   // Attempt to find the closest/best fuzzy match.  Usually an error happens
520fd29d886SDaniel Dunbar   // because some string in the output didn't exactly match. In these cases, we
521fd29d886SDaniel Dunbar   // would like to show the user a best guess at what "should have" matched, to
522fd29d886SDaniel Dunbar   // save them having to actually check the input manually.
523fd29d886SDaniel Dunbar   size_t NumLinesForward = 0;
524fd29d886SDaniel Dunbar   size_t Best = StringRef::npos;
525fd29d886SDaniel Dunbar   double BestQuality = 0;
526fd29d886SDaniel Dunbar 
527fd29d886SDaniel Dunbar   // Use an arbitrary 4k limit on how far we will search.
5282bf486ebSDan Gohman   for (size_t i = 0, e = std::min(size_t(4096), Buffer.size()); i != e; ++i) {
529fd29d886SDaniel Dunbar     if (Buffer[i] == '\n')
530fd29d886SDaniel Dunbar       ++NumLinesForward;
531fd29d886SDaniel Dunbar 
532df22bbf7SDan Gohman     // Patterns have leading whitespace stripped, so skip whitespace when
533df22bbf7SDan Gohman     // looking for something which looks like a pattern.
534df22bbf7SDan Gohman     if (Buffer[i] == ' ' || Buffer[i] == '\t')
535df22bbf7SDan Gohman       continue;
536df22bbf7SDan Gohman 
537fd29d886SDaniel Dunbar     // Compute the "quality" of this match as an arbitrary combination of the
538fd29d886SDaniel Dunbar     // match distance and the number of lines skipped to get to this match.
539fd29d886SDaniel Dunbar     unsigned Distance = ComputeMatchDistance(Buffer.substr(i), VariableTable);
540fd29d886SDaniel Dunbar     double Quality = Distance + (NumLinesForward / 100.);
541fd29d886SDaniel Dunbar 
542fd29d886SDaniel Dunbar     if (Quality < BestQuality || Best == StringRef::npos) {
543fd29d886SDaniel Dunbar       Best = i;
544fd29d886SDaniel Dunbar       BestQuality = Quality;
545fd29d886SDaniel Dunbar     }
546fd29d886SDaniel Dunbar   }
547fd29d886SDaniel Dunbar 
548fd29d886SDaniel Dunbar   // Print the "possible intended match here" line if we found something
549c069cc8eSDaniel Dunbar   // reasonable and not equal to what we showed in the "scanning from here"
550c069cc8eSDaniel Dunbar   // line.
551c069cc8eSDaniel Dunbar   if (Best && Best != StringRef::npos && BestQuality < 50) {
552fd29d886SDaniel Dunbar     SM.PrintMessage(SMLoc::getFromPointer(Buffer.data() + Best),
55303b80a40SChris Lattner                     SourceMgr::DK_Note, "possible intended match here");
554fd29d886SDaniel Dunbar 
555fd29d886SDaniel Dunbar     // FIXME: If we wanted to be really friendly we would show why the match
556fd29d886SDaniel Dunbar     // failed, as it can be hard to spot simple one character differences.
557fd29d886SDaniel Dunbar   }
558e0ef65abSDaniel Dunbar }
55974d50731SChris Lattner 
5604dabac20SChandler Carruth /// Finds the closing sequence of a regex variable usage or definition.
5614dabac20SChandler Carruth ///
5624dabac20SChandler Carruth /// \p Str has to point in the beginning of the definition (right after the
5634dabac20SChandler Carruth /// opening sequence). Returns the offset of the closing sequence within Str,
5644dabac20SChandler Carruth /// or npos if it was not found.
56581e5cd9eSAdrian Prantl size_t Pattern::FindRegexVarEnd(StringRef Str, SourceMgr &SM) {
566061d2baaSEli Bendersky   // Offset keeps track of the current offset within the input Str
567061d2baaSEli Bendersky   size_t Offset = 0;
568061d2baaSEli Bendersky   // [...] Nesting depth
569061d2baaSEli Bendersky   size_t BracketDepth = 0;
570061d2baaSEli Bendersky 
571061d2baaSEli Bendersky   while (!Str.empty()) {
572061d2baaSEli Bendersky     if (Str.startswith("]]") && BracketDepth == 0)
573061d2baaSEli Bendersky       return Offset;
574061d2baaSEli Bendersky     if (Str[0] == '\\') {
575061d2baaSEli Bendersky       // Backslash escapes the next char within regexes, so skip them both.
576061d2baaSEli Bendersky       Str = Str.substr(2);
577061d2baaSEli Bendersky       Offset += 2;
578061d2baaSEli Bendersky     } else {
579061d2baaSEli Bendersky       switch (Str[0]) {
580061d2baaSEli Bendersky       default:
581061d2baaSEli Bendersky         break;
582061d2baaSEli Bendersky       case '[':
583061d2baaSEli Bendersky         BracketDepth++;
584061d2baaSEli Bendersky         break;
585061d2baaSEli Bendersky       case ']':
58681e5cd9eSAdrian Prantl         if (BracketDepth == 0) {
58781e5cd9eSAdrian Prantl           SM.PrintMessage(SMLoc::getFromPointer(Str.data()),
58881e5cd9eSAdrian Prantl                           SourceMgr::DK_Error,
58981e5cd9eSAdrian Prantl                           "missing closing \"]\" for regex variable");
59081e5cd9eSAdrian Prantl           exit(1);
59181e5cd9eSAdrian Prantl         }
592061d2baaSEli Bendersky         BracketDepth--;
593061d2baaSEli Bendersky         break;
594061d2baaSEli Bendersky       }
595061d2baaSEli Bendersky       Str = Str.substr(1);
596061d2baaSEli Bendersky       Offset++;
597061d2baaSEli Bendersky     }
598061d2baaSEli Bendersky   }
599061d2baaSEli Bendersky 
600061d2baaSEli Bendersky   return StringRef::npos;
601061d2baaSEli Bendersky }
602061d2baaSEli Bendersky 
60374d50731SChris Lattner //===----------------------------------------------------------------------===//
60474d50731SChris Lattner // Check Strings.
60574d50731SChris Lattner //===----------------------------------------------------------------------===//
6063b40b445SChris Lattner 
6074dabac20SChandler Carruth /// A check that we found in the input file.
6083b40b445SChris Lattner struct CheckString {
6094dabac20SChandler Carruth   /// The pattern to match.
6103b40b445SChris Lattner   Pattern Pat;
61126cccfe1SChris Lattner 
6124dabac20SChandler Carruth   /// Which prefix name this check matched.
61313df4626SMatt Arsenault   StringRef Prefix;
61413df4626SMatt Arsenault 
6154dabac20SChandler Carruth   /// The location in the match file that the check string was specified.
61626cccfe1SChris Lattner   SMLoc Loc;
61726cccfe1SChris Lattner 
6184dabac20SChandler Carruth   /// All of the strings that are disallowed from occurring between this match
6194dabac20SChandler Carruth   /// string and the previous one (or start of file).
62091a1b2c9SMichael Liao   std::vector<Pattern> DagNotStrings;
621236d2d5eSChris Lattner 
62285913ccaSJames Y Knight   CheckString(const Pattern &P, StringRef S, SMLoc L)
62385913ccaSJames Y Knight       : Pat(P), Prefix(S), Loc(L) {}
624dcc7d48dSMichael Liao 
625e93a3a08SStephen Lin   size_t Check(const SourceMgr &SM, StringRef Buffer, bool IsLabelScanMode,
626f8bd2e5bSStephen Lin                size_t &MatchLen, StringMap<StringRef> &VariableTable) const;
627dcc7d48dSMichael Liao 
628dcc7d48dSMichael Liao   bool CheckNext(const SourceMgr &SM, StringRef Buffer) const;
62901ac1707SDuncan P. N. Exon Smith   bool CheckSame(const SourceMgr &SM, StringRef Buffer) const;
630dcc7d48dSMichael Liao   bool CheckNot(const SourceMgr &SM, StringRef Buffer,
63191a1b2c9SMichael Liao                 const std::vector<const Pattern *> &NotStrings,
63291a1b2c9SMichael Liao                 StringMap<StringRef> &VariableTable) const;
63391a1b2c9SMichael Liao   size_t CheckDag(const SourceMgr &SM, StringRef Buffer,
63491a1b2c9SMichael Liao                   std::vector<const Pattern *> &NotStrings,
635dcc7d48dSMichael Liao                   StringMap<StringRef> &VariableTable) const;
63626cccfe1SChris Lattner };
63726cccfe1SChris Lattner 
63820247900SChandler Carruth /// Canonicalize whitespaces in the file. Line endings are replaced with
63920247900SChandler Carruth /// UNIX-style '\n'.
640b03c166aSChandler Carruth static StringRef CanonicalizeFile(MemoryBuffer &MB,
64120247900SChandler Carruth                                   SmallVectorImpl<char> &OutputBuffer) {
64220247900SChandler Carruth   OutputBuffer.reserve(MB.getBufferSize());
643a2f8fc5aSChris Lattner 
64420247900SChandler Carruth   for (const char *Ptr = MB.getBufferStart(), *End = MB.getBufferEnd();
645a2f8fc5aSChris Lattner        Ptr != End; ++Ptr) {
646fd781bf0SNAKAMURA Takumi     // Eliminate trailing dosish \r.
647fd781bf0SNAKAMURA Takumi     if (Ptr <= End - 2 && Ptr[0] == '\r' && Ptr[1] == '\n') {
648fd781bf0SNAKAMURA Takumi       continue;
649fd781bf0SNAKAMURA Takumi     }
650fd781bf0SNAKAMURA Takumi 
6515ea04c38SGuy Benyei     // If current char is not a horizontal whitespace or if horizontal
6525ea04c38SGuy Benyei     // whitespace canonicalization is disabled, dump it to output as is.
653b03c166aSChandler Carruth     if (NoCanonicalizeWhiteSpace || (*Ptr != ' ' && *Ptr != '\t')) {
65420247900SChandler Carruth       OutputBuffer.push_back(*Ptr);
655a2f8fc5aSChris Lattner       continue;
656a2f8fc5aSChris Lattner     }
657a2f8fc5aSChris Lattner 
658a2f8fc5aSChris Lattner     // Otherwise, add one space and advance over neighboring space.
65920247900SChandler Carruth     OutputBuffer.push_back(' ');
660e8f2fb20SChandler Carruth     while (Ptr + 1 != End && (Ptr[1] == ' ' || Ptr[1] == '\t'))
661a2f8fc5aSChris Lattner       ++Ptr;
662a2f8fc5aSChris Lattner   }
663a2f8fc5aSChris Lattner 
66420247900SChandler Carruth   // Add a null byte and then return all but that byte.
66520247900SChandler Carruth   OutputBuffer.push_back('\0');
66620247900SChandler Carruth   return StringRef(OutputBuffer.data(), OutputBuffer.size() - 1);
667a2f8fc5aSChris Lattner }
668a2f8fc5aSChris Lattner 
66938820972SMatt Arsenault static bool IsPartOfWord(char c) {
67038820972SMatt Arsenault   return (isalnum(c) || c == '-' || c == '_');
67138820972SMatt Arsenault }
67238820972SMatt Arsenault 
67313df4626SMatt Arsenault // Get the size of the prefix extension.
67413df4626SMatt Arsenault static size_t CheckTypeSize(Check::CheckType Ty) {
67513df4626SMatt Arsenault   switch (Ty) {
67613df4626SMatt Arsenault   case Check::CheckNone:
677a908e7bdSPaul Robinson   case Check::CheckBadNot:
67813df4626SMatt Arsenault     return 0;
67913df4626SMatt Arsenault 
68013df4626SMatt Arsenault   case Check::CheckPlain:
68113df4626SMatt Arsenault     return sizeof(":") - 1;
68213df4626SMatt Arsenault 
68313df4626SMatt Arsenault   case Check::CheckNext:
68413df4626SMatt Arsenault     return sizeof("-NEXT:") - 1;
68513df4626SMatt Arsenault 
68601ac1707SDuncan P. N. Exon Smith   case Check::CheckSame:
68701ac1707SDuncan P. N. Exon Smith     return sizeof("-SAME:") - 1;
68801ac1707SDuncan P. N. Exon Smith 
68913df4626SMatt Arsenault   case Check::CheckNot:
69013df4626SMatt Arsenault     return sizeof("-NOT:") - 1;
69113df4626SMatt Arsenault 
69213df4626SMatt Arsenault   case Check::CheckDAG:
69313df4626SMatt Arsenault     return sizeof("-DAG:") - 1;
69413df4626SMatt Arsenault 
69513df4626SMatt Arsenault   case Check::CheckLabel:
69613df4626SMatt Arsenault     return sizeof("-LABEL:") - 1;
69713df4626SMatt Arsenault 
69813df4626SMatt Arsenault   case Check::CheckEOF:
69913df4626SMatt Arsenault     llvm_unreachable("Should not be using EOF size");
70013df4626SMatt Arsenault   }
70113df4626SMatt Arsenault 
70213df4626SMatt Arsenault   llvm_unreachable("Bad check type");
70313df4626SMatt Arsenault }
70413df4626SMatt Arsenault 
70513df4626SMatt Arsenault static Check::CheckType FindCheckType(StringRef Buffer, StringRef Prefix) {
706c4d2d471SMatt Arsenault   char NextChar = Buffer[Prefix.size()];
70738820972SMatt Arsenault 
70838820972SMatt Arsenault   // Verify that the : is present after the prefix.
70913df4626SMatt Arsenault   if (NextChar == ':')
71038820972SMatt Arsenault     return Check::CheckPlain;
71138820972SMatt Arsenault 
71213df4626SMatt Arsenault   if (NextChar != '-')
71338820972SMatt Arsenault     return Check::CheckNone;
71438820972SMatt Arsenault 
715c4d2d471SMatt Arsenault   StringRef Rest = Buffer.drop_front(Prefix.size() + 1);
71613df4626SMatt Arsenault   if (Rest.startswith("NEXT:"))
71738820972SMatt Arsenault     return Check::CheckNext;
71838820972SMatt Arsenault 
71901ac1707SDuncan P. N. Exon Smith   if (Rest.startswith("SAME:"))
72001ac1707SDuncan P. N. Exon Smith     return Check::CheckSame;
72101ac1707SDuncan P. N. Exon Smith 
72213df4626SMatt Arsenault   if (Rest.startswith("NOT:"))
72338820972SMatt Arsenault     return Check::CheckNot;
72438820972SMatt Arsenault 
72513df4626SMatt Arsenault   if (Rest.startswith("DAG:"))
72638820972SMatt Arsenault     return Check::CheckDAG;
72738820972SMatt Arsenault 
72813df4626SMatt Arsenault   if (Rest.startswith("LABEL:"))
72938820972SMatt Arsenault     return Check::CheckLabel;
73013df4626SMatt Arsenault 
731a908e7bdSPaul Robinson   // You can't combine -NOT with another suffix.
732a908e7bdSPaul Robinson   if (Rest.startswith("DAG-NOT:") || Rest.startswith("NOT-DAG:") ||
733a908e7bdSPaul Robinson       Rest.startswith("NEXT-NOT:") || Rest.startswith("NOT-NEXT:") ||
734a908e7bdSPaul Robinson       Rest.startswith("SAME-NOT:") || Rest.startswith("NOT-SAME:"))
735a908e7bdSPaul Robinson     return Check::CheckBadNot;
736a908e7bdSPaul Robinson 
73713df4626SMatt Arsenault   return Check::CheckNone;
73838820972SMatt Arsenault }
73938820972SMatt Arsenault 
74013df4626SMatt Arsenault // From the given position, find the next character after the word.
74113df4626SMatt Arsenault static size_t SkipWord(StringRef Str, size_t Loc) {
74213df4626SMatt Arsenault   while (Loc < Str.size() && IsPartOfWord(Str[Loc]))
74313df4626SMatt Arsenault     ++Loc;
74413df4626SMatt Arsenault   return Loc;
74513df4626SMatt Arsenault }
74613df4626SMatt Arsenault 
747*726774cbSChandler Carruth /// Search the buffer for the first prefix in the prefix regular expression.
748*726774cbSChandler Carruth ///
749*726774cbSChandler Carruth /// This searches the buffer using the provided regular expression, however it
750*726774cbSChandler Carruth /// enforces constraints beyond that:
751*726774cbSChandler Carruth /// 1) The found prefix must not be a suffix of something that looks like
752*726774cbSChandler Carruth ///    a valid prefix.
753*726774cbSChandler Carruth /// 2) The found prefix must be followed by a valid check type suffix using \c
754*726774cbSChandler Carruth ///    FindCheckType above.
755*726774cbSChandler Carruth ///
756*726774cbSChandler Carruth /// The first match of the regular expression to satisfy these two is returned,
757*726774cbSChandler Carruth /// otherwise an empty StringRef is returned to indicate failure.
758*726774cbSChandler Carruth ///
759*726774cbSChandler Carruth /// If this routine returns a valid prefix, it will also shrink \p Buffer to
760*726774cbSChandler Carruth /// start at the beginning of the returned prefix, increment \p LineNumber for
761*726774cbSChandler Carruth /// each new line consumed from \p Buffer, and set \p CheckTy to the type of
762*726774cbSChandler Carruth /// check found by examining the suffix.
763*726774cbSChandler Carruth ///
764*726774cbSChandler Carruth /// If no valid prefix is found, the state of Buffer, LineNumber, and CheckTy
765*726774cbSChandler Carruth /// is unspecified.
766*726774cbSChandler Carruth static StringRef FindFirstMatchingPrefix(Regex &PrefixRE, StringRef &Buffer,
76713df4626SMatt Arsenault                                          unsigned &LineNumber,
768*726774cbSChandler Carruth                                          Check::CheckType &CheckTy) {
769*726774cbSChandler Carruth   SmallVector<StringRef, 2> Matches;
770*726774cbSChandler Carruth 
77113df4626SMatt Arsenault   while (!Buffer.empty()) {
772*726774cbSChandler Carruth     // Find the first (longest) match using the RE.
773*726774cbSChandler Carruth     if (!PrefixRE.match(Buffer, &Matches))
774*726774cbSChandler Carruth       // No match at all, bail.
775*726774cbSChandler Carruth       return StringRef();
776*726774cbSChandler Carruth 
777*726774cbSChandler Carruth     StringRef Prefix = Matches[0];
778*726774cbSChandler Carruth     Matches.clear();
779*726774cbSChandler Carruth 
780*726774cbSChandler Carruth     assert(Prefix.data() >= Buffer.data() &&
781*726774cbSChandler Carruth            Prefix.data() < Buffer.data() + Buffer.size() &&
782*726774cbSChandler Carruth            "Prefix doesn't start inside of buffer!");
783*726774cbSChandler Carruth     size_t Loc = Prefix.data() - Buffer.data();
784*726774cbSChandler Carruth     StringRef Skipped = Buffer.substr(0, Loc);
785*726774cbSChandler Carruth     Buffer = Buffer.drop_front(Loc);
786*726774cbSChandler Carruth     LineNumber += Skipped.count('\n');
787*726774cbSChandler Carruth 
788*726774cbSChandler Carruth     // Check that the matched prefix isn't a suffix of some other check-like
789*726774cbSChandler Carruth     // word.
790*726774cbSChandler Carruth     // FIXME: This is a very ad-hoc check. it would be better handled in some
791*726774cbSChandler Carruth     // other way. Among other things it seems hard to distinguish between
792*726774cbSChandler Carruth     // intentional and unintentional uses of this feature.
793*726774cbSChandler Carruth     if (Skipped.empty() || !IsPartOfWord(Skipped.back())) {
794*726774cbSChandler Carruth       // Now extract the type.
795*726774cbSChandler Carruth       CheckTy = FindCheckType(Buffer, Prefix);
796*726774cbSChandler Carruth 
797*726774cbSChandler Carruth       // If we've found a valid check type for this prefix, we're done.
798*726774cbSChandler Carruth       if (CheckTy != Check::CheckNone)
79913df4626SMatt Arsenault         return Prefix;
80013df4626SMatt Arsenault     }
80113df4626SMatt Arsenault 
802*726774cbSChandler Carruth     // If we didn't successfully find a prefix, we need to skip this invalid
803*726774cbSChandler Carruth     // prefix and continue scanning. We directly skip the prefix that was
804*726774cbSChandler Carruth     // matched and any additional parts of that check-like word.
805*726774cbSChandler Carruth     Buffer = Buffer.drop_front(SkipWord(Buffer, Prefix.size()));
80613df4626SMatt Arsenault   }
80713df4626SMatt Arsenault 
808*726774cbSChandler Carruth   // We ran out of buffer while skipping partial matches so give up.
80913df4626SMatt Arsenault   return StringRef();
81038820972SMatt Arsenault }
811ee3c74fbSChris Lattner 
8124dabac20SChandler Carruth /// Read the check file, which specifies the sequence of expected strings.
8134dabac20SChandler Carruth ///
8144dabac20SChandler Carruth /// The strings are added to the CheckStrings vector. Returns true in case of
8154dabac20SChandler Carruth /// an error, false otherwise.
816*726774cbSChandler Carruth static bool ReadCheckFile(SourceMgr &SM, StringRef Buffer, Regex &PrefixRE,
81726cccfe1SChris Lattner                           std::vector<CheckString> &CheckStrings) {
81856ccdbbdSAlexander Kornienko   std::vector<Pattern> ImplicitNegativeChecks;
81956ccdbbdSAlexander Kornienko   for (const auto &PatternString : ImplicitCheckNot) {
82056ccdbbdSAlexander Kornienko     // Create a buffer with fake command line content in order to display the
82156ccdbbdSAlexander Kornienko     // command line option responsible for the specific implicit CHECK-NOT.
822ff43d69dSDavid Blaikie     std::string Prefix = (Twine("-") + ImplicitCheckNot.ArgStr + "='").str();
82356ccdbbdSAlexander Kornienko     std::string Suffix = "'";
8243560ff2cSRafael Espindola     std::unique_ptr<MemoryBuffer> CmdLine = MemoryBuffer::getMemBufferCopy(
8253560ff2cSRafael Espindola         Prefix + PatternString + Suffix, "command line");
8263560ff2cSRafael Espindola 
82756ccdbbdSAlexander Kornienko     StringRef PatternInBuffer =
82856ccdbbdSAlexander Kornienko         CmdLine->getBuffer().substr(Prefix.size(), PatternString.size());
8291961f14cSDavid Blaikie     SM.AddNewSourceBuffer(std::move(CmdLine), SMLoc());
83056ccdbbdSAlexander Kornienko 
83156ccdbbdSAlexander Kornienko     ImplicitNegativeChecks.push_back(Pattern(Check::CheckNot));
83256ccdbbdSAlexander Kornienko     ImplicitNegativeChecks.back().ParsePattern(PatternInBuffer,
83356ccdbbdSAlexander Kornienko                                                "IMPLICIT-CHECK", SM, 0);
83456ccdbbdSAlexander Kornienko   }
83556ccdbbdSAlexander Kornienko 
83656ccdbbdSAlexander Kornienko   std::vector<Pattern> DagNotMatches = ImplicitNegativeChecks;
837236d2d5eSChris Lattner 
83843d50d4aSEli Bendersky   // LineNumber keeps track of the line on which CheckPrefix instances are
83943d50d4aSEli Bendersky   // found.
84092987fb3SAlexander Kornienko   unsigned LineNumber = 1;
84192987fb3SAlexander Kornienko 
842ee3c74fbSChris Lattner   while (1) {
84313df4626SMatt Arsenault     Check::CheckType CheckTy;
84413df4626SMatt Arsenault 
84513df4626SMatt Arsenault     // See if a prefix occurs in the memory buffer.
846*726774cbSChandler Carruth     StringRef UsedPrefix = FindFirstMatchingPrefix(PrefixRE, Buffer, LineNumber,
847*726774cbSChandler Carruth                                                    CheckTy);
84813df4626SMatt Arsenault     if (UsedPrefix.empty())
849ee3c74fbSChris Lattner       break;
850*726774cbSChandler Carruth     assert(UsedPrefix.data() == Buffer.data() &&
851*726774cbSChandler Carruth            "Failed to move Buffer's start forward, or pointed prefix outside "
852*726774cbSChandler Carruth            "of the buffer!");
85392987fb3SAlexander Kornienko 
85413df4626SMatt Arsenault     // Location to use for error messages.
855*726774cbSChandler Carruth     const char *UsedPrefixStart = UsedPrefix.data();
85692987fb3SAlexander Kornienko 
857*726774cbSChandler Carruth     // Skip the buffer to the end.
85813df4626SMatt Arsenault     Buffer = Buffer.drop_front(UsedPrefix.size() + CheckTypeSize(CheckTy));
85910f10cedSChris Lattner 
860a908e7bdSPaul Robinson     // Complain about useful-looking but unsupported suffixes.
861a908e7bdSPaul Robinson     if (CheckTy == Check::CheckBadNot) {
862e8f2fb20SChandler Carruth       SM.PrintMessage(SMLoc::getFromPointer(Buffer.data()), SourceMgr::DK_Error,
863a908e7bdSPaul Robinson                       "unsupported -NOT combo on prefix '" + UsedPrefix + "'");
864a908e7bdSPaul Robinson       return true;
865a908e7bdSPaul Robinson     }
866a908e7bdSPaul Robinson 
86738820972SMatt Arsenault     // Okay, we found the prefix, yay. Remember the rest of the line, but ignore
86838820972SMatt Arsenault     // leading and trailing whitespace.
869236d2d5eSChris Lattner     Buffer = Buffer.substr(Buffer.find_first_not_of(" \t"));
870ee3c74fbSChris Lattner 
871ee3c74fbSChris Lattner     // Scan ahead to the end of line.
872caa5fc0cSChris Lattner     size_t EOL = Buffer.find_first_of("\n\r");
873ee3c74fbSChris Lattner 
874838fb09aSDan Gohman     // Remember the location of the start of the pattern, for diagnostics.
875838fb09aSDan Gohman     SMLoc PatternLoc = SMLoc::getFromPointer(Buffer.data());
876838fb09aSDan Gohman 
87774d50731SChris Lattner     // Parse the pattern.
87838820972SMatt Arsenault     Pattern P(CheckTy);
87913df4626SMatt Arsenault     if (P.ParsePattern(Buffer.substr(0, EOL), UsedPrefix, SM, LineNumber))
880ee3c74fbSChris Lattner       return true;
881ee3c74fbSChris Lattner 
882f8bd2e5bSStephen Lin     // Verify that CHECK-LABEL lines do not define or use variables
88338820972SMatt Arsenault     if ((CheckTy == Check::CheckLabel) && P.hasVariable()) {
884e8f2fb20SChandler Carruth       SM.PrintMessage(
885e8f2fb20SChandler Carruth           SMLoc::getFromPointer(UsedPrefixStart), SourceMgr::DK_Error,
88613df4626SMatt Arsenault           "found '" + UsedPrefix + "-LABEL:'"
88713df4626SMatt Arsenault                                    " with variable definition or use");
888f8bd2e5bSStephen Lin       return true;
889f8bd2e5bSStephen Lin     }
890f8bd2e5bSStephen Lin 
891236d2d5eSChris Lattner     Buffer = Buffer.substr(EOL);
89274d50731SChris Lattner 
893da108b4eSChris Lattner     // Verify that CHECK-NEXT lines have at least one CHECK line before them.
89401ac1707SDuncan P. N. Exon Smith     if ((CheckTy == Check::CheckNext || CheckTy == Check::CheckSame) &&
89501ac1707SDuncan P. N. Exon Smith         CheckStrings.empty()) {
89601ac1707SDuncan P. N. Exon Smith       StringRef Type = CheckTy == Check::CheckNext ? "NEXT" : "SAME";
89713df4626SMatt Arsenault       SM.PrintMessage(SMLoc::getFromPointer(UsedPrefixStart),
89803b80a40SChris Lattner                       SourceMgr::DK_Error,
899e8f2fb20SChandler Carruth                       "found '" + UsedPrefix + "-" + Type +
900e8f2fb20SChandler Carruth                           "' without previous '" + UsedPrefix + ": line");
901da108b4eSChris Lattner       return true;
902da108b4eSChris Lattner     }
903da108b4eSChris Lattner 
90491a1b2c9SMichael Liao     // Handle CHECK-DAG/-NOT.
90538820972SMatt Arsenault     if (CheckTy == Check::CheckDAG || CheckTy == Check::CheckNot) {
90691a1b2c9SMichael Liao       DagNotMatches.push_back(P);
90774d50731SChris Lattner       continue;
90874d50731SChris Lattner     }
90974d50731SChris Lattner 
910ee3c74fbSChris Lattner     // Okay, add the string we captured to the output vector and move on.
91185913ccaSJames Y Knight     CheckStrings.emplace_back(P, UsedPrefix, PatternLoc);
91291a1b2c9SMichael Liao     std::swap(DagNotMatches, CheckStrings.back().DagNotStrings);
91356ccdbbdSAlexander Kornienko     DagNotMatches = ImplicitNegativeChecks;
914ee3c74fbSChris Lattner   }
915ee3c74fbSChris Lattner 
91613df4626SMatt Arsenault   // Add an EOF pattern for any trailing CHECK-DAG/-NOTs, and use the first
91713df4626SMatt Arsenault   // prefix as a filler for the error message.
91891a1b2c9SMichael Liao   if (!DagNotMatches.empty()) {
919f5e2fc47SBenjamin Kramer     CheckStrings.emplace_back(Pattern(Check::CheckEOF), *CheckPrefixes.begin(),
92085913ccaSJames Y Knight                               SMLoc::getFromPointer(Buffer.data()));
92191a1b2c9SMichael Liao     std::swap(DagNotMatches, CheckStrings.back().DagNotStrings);
922eba55822SJakob Stoklund Olesen   }
923eba55822SJakob Stoklund Olesen 
924ee3c74fbSChris Lattner   if (CheckStrings.empty()) {
92513df4626SMatt Arsenault     errs() << "error: no check strings found with prefix"
92613df4626SMatt Arsenault            << (CheckPrefixes.size() > 1 ? "es " : " ");
9273e3ef2f2SChris Bieneman     prefix_iterator I = CheckPrefixes.begin();
9283e3ef2f2SChris Bieneman     prefix_iterator E = CheckPrefixes.end();
9293e3ef2f2SChris Bieneman     if (I != E) {
9303e3ef2f2SChris Bieneman       errs() << "\'" << *I << ":'";
9313e3ef2f2SChris Bieneman       ++I;
93213df4626SMatt Arsenault     }
9333e3ef2f2SChris Bieneman     for (; I != E; ++I)
9343e3ef2f2SChris Bieneman       errs() << ", \'" << *I << ":'";
93513df4626SMatt Arsenault 
93613df4626SMatt Arsenault     errs() << '\n';
937ee3c74fbSChris Lattner     return true;
938ee3c74fbSChris Lattner   }
939ee3c74fbSChris Lattner 
940ee3c74fbSChris Lattner   return false;
941ee3c74fbSChris Lattner }
942ee3c74fbSChris Lattner 
943e8f2fb20SChandler Carruth static void PrintCheckFailed(const SourceMgr &SM, SMLoc Loc, const Pattern &Pat,
944e8f2fb20SChandler Carruth                              StringRef Buffer,
945e0ef65abSDaniel Dunbar                              StringMap<StringRef> &VariableTable) {
946da108b4eSChris Lattner   // Otherwise, we have an error, emit an error message.
94791a1b2c9SMichael Liao   SM.PrintMessage(Loc, SourceMgr::DK_Error,
94803b80a40SChris Lattner                   "expected string not found in input");
949da108b4eSChris Lattner 
950da108b4eSChris Lattner   // Print the "scanning from here" line.  If the current position is at the
951da108b4eSChris Lattner   // end of a line, advance to the start of the next line.
952caa5fc0cSChris Lattner   Buffer = Buffer.substr(Buffer.find_first_not_of(" \t\n\r"));
953da108b4eSChris Lattner 
95403b80a40SChris Lattner   SM.PrintMessage(SMLoc::getFromPointer(Buffer.data()), SourceMgr::DK_Note,
95503b80a40SChris Lattner                   "scanning from here");
956e0ef65abSDaniel Dunbar 
957e0ef65abSDaniel Dunbar   // Allow the pattern to print additional information if desired.
95891a1b2c9SMichael Liao   Pat.PrintFailureInfo(SM, Buffer, VariableTable);
95991a1b2c9SMichael Liao }
96091a1b2c9SMichael Liao 
96191a1b2c9SMichael Liao static void PrintCheckFailed(const SourceMgr &SM, const CheckString &CheckStr,
96291a1b2c9SMichael Liao                              StringRef Buffer,
96391a1b2c9SMichael Liao                              StringMap<StringRef> &VariableTable) {
96491a1b2c9SMichael Liao   PrintCheckFailed(SM, CheckStr.Loc, CheckStr.Pat, Buffer, VariableTable);
965da108b4eSChris Lattner }
966da108b4eSChris Lattner 
9674dabac20SChandler Carruth /// Count the number of newlines in the specified range.
968592fe880SRichard Smith static unsigned CountNumNewlinesBetween(StringRef Range,
969592fe880SRichard Smith                                         const char *&FirstNewLine) {
970da108b4eSChris Lattner   unsigned NumNewLines = 0;
97137183584SChris Lattner   while (1) {
972da108b4eSChris Lattner     // Scan for newline.
97337183584SChris Lattner     Range = Range.substr(Range.find_first_of("\n\r"));
974e8f2fb20SChandler Carruth     if (Range.empty())
975e8f2fb20SChandler Carruth       return NumNewLines;
976da108b4eSChris Lattner 
977da108b4eSChris Lattner     ++NumNewLines;
978da108b4eSChris Lattner 
979da108b4eSChris Lattner     // Handle \n\r and \r\n as a single newline.
980e8f2fb20SChandler Carruth     if (Range.size() > 1 && (Range[1] == '\n' || Range[1] == '\r') &&
98137183584SChris Lattner         (Range[0] != Range[1]))
98237183584SChris Lattner       Range = Range.substr(1);
98337183584SChris Lattner     Range = Range.substr(1);
984592fe880SRichard Smith 
985592fe880SRichard Smith     if (NumNewLines == 1)
986592fe880SRichard Smith       FirstNewLine = Range.begin();
987da108b4eSChris Lattner   }
988da108b4eSChris Lattner }
989da108b4eSChris Lattner 
9904dabac20SChandler Carruth /// Match check string and its "not strings" and/or "dag strings".
991dcc7d48dSMichael Liao size_t CheckString::Check(const SourceMgr &SM, StringRef Buffer,
992e93a3a08SStephen Lin                           bool IsLabelScanMode, size_t &MatchLen,
993dcc7d48dSMichael Liao                           StringMap<StringRef> &VariableTable) const {
99491a1b2c9SMichael Liao   size_t LastPos = 0;
99591a1b2c9SMichael Liao   std::vector<const Pattern *> NotStrings;
99691a1b2c9SMichael Liao 
997e93a3a08SStephen Lin   // IsLabelScanMode is true when we are scanning forward to find CHECK-LABEL
998e93a3a08SStephen Lin   // bounds; we have not processed variable definitions within the bounded block
999e93a3a08SStephen Lin   // yet so cannot handle any final CHECK-DAG yet; this is handled when going
1000e93a3a08SStephen Lin   // over the block again (including the last CHECK-LABEL) in normal mode.
1001e93a3a08SStephen Lin   if (!IsLabelScanMode) {
100291a1b2c9SMichael Liao     // Match "dag strings" (with mixed "not strings" if any).
100391a1b2c9SMichael Liao     LastPos = CheckDag(SM, Buffer, NotStrings, VariableTable);
100491a1b2c9SMichael Liao     if (LastPos == StringRef::npos)
100591a1b2c9SMichael Liao       return StringRef::npos;
1006e93a3a08SStephen Lin   }
100791a1b2c9SMichael Liao 
100891a1b2c9SMichael Liao   // Match itself from the last position after matching CHECK-DAG.
100991a1b2c9SMichael Liao   StringRef MatchBuffer = Buffer.substr(LastPos);
101091a1b2c9SMichael Liao   size_t MatchPos = Pat.Match(MatchBuffer, MatchLen, VariableTable);
1011dcc7d48dSMichael Liao   if (MatchPos == StringRef::npos) {
101291a1b2c9SMichael Liao     PrintCheckFailed(SM, *this, MatchBuffer, VariableTable);
1013dcc7d48dSMichael Liao     return StringRef::npos;
1014dcc7d48dSMichael Liao   }
1015dcc7d48dSMichael Liao 
1016e93a3a08SStephen Lin   // Similar to the above, in "label-scan mode" we can't yet handle CHECK-NEXT
1017e93a3a08SStephen Lin   // or CHECK-NOT
1018e93a3a08SStephen Lin   if (!IsLabelScanMode) {
101991a1b2c9SMichael Liao     StringRef SkippedRegion = Buffer.substr(LastPos, MatchPos);
1020dcc7d48dSMichael Liao 
1021dcc7d48dSMichael Liao     // If this check is a "CHECK-NEXT", verify that the previous match was on
1022dcc7d48dSMichael Liao     // the previous line (i.e. that there is one newline between them).
1023dcc7d48dSMichael Liao     if (CheckNext(SM, SkippedRegion))
1024dcc7d48dSMichael Liao       return StringRef::npos;
1025dcc7d48dSMichael Liao 
102601ac1707SDuncan P. N. Exon Smith     // If this check is a "CHECK-SAME", verify that the previous match was on
102701ac1707SDuncan P. N. Exon Smith     // the same line (i.e. that there is no newline between them).
102801ac1707SDuncan P. N. Exon Smith     if (CheckSame(SM, SkippedRegion))
102901ac1707SDuncan P. N. Exon Smith       return StringRef::npos;
103001ac1707SDuncan P. N. Exon Smith 
1031dcc7d48dSMichael Liao     // If this match had "not strings", verify that they don't exist in the
1032dcc7d48dSMichael Liao     // skipped region.
103391a1b2c9SMichael Liao     if (CheckNot(SM, SkippedRegion, NotStrings, VariableTable))
1034dcc7d48dSMichael Liao       return StringRef::npos;
1035f8bd2e5bSStephen Lin   }
1036dcc7d48dSMichael Liao 
10377dfb92b9SMehdi Amini   return LastPos + MatchPos;
1038dcc7d48dSMichael Liao }
1039dcc7d48dSMichael Liao 
10404dabac20SChandler Carruth /// Verify there is a single line in the given buffer.
1041dcc7d48dSMichael Liao bool CheckString::CheckNext(const SourceMgr &SM, StringRef Buffer) const {
104285913ccaSJames Y Knight   if (Pat.getCheckTy() != Check::CheckNext)
1043dcc7d48dSMichael Liao     return false;
1044dcc7d48dSMichael Liao 
1045dcc7d48dSMichael Liao   // Count the number of newlines between the previous match and this one.
1046dcc7d48dSMichael Liao   assert(Buffer.data() !=
1047e8f2fb20SChandler Carruth              SM.getMemoryBuffer(SM.FindBufferContainingLoc(
1048e8f2fb20SChandler Carruth                                     SMLoc::getFromPointer(Buffer.data())))
1049e8f2fb20SChandler Carruth                  ->getBufferStart() &&
1050dcc7d48dSMichael Liao          "CHECK-NEXT can't be the first check in a file");
1051dcc7d48dSMichael Liao 
105266f09ad0SCraig Topper   const char *FirstNewLine = nullptr;
1053592fe880SRichard Smith   unsigned NumNewLines = CountNumNewlinesBetween(Buffer, FirstNewLine);
1054dcc7d48dSMichael Liao 
1055dcc7d48dSMichael Liao   if (NumNewLines == 0) {
1056e8f2fb20SChandler Carruth     SM.PrintMessage(Loc, SourceMgr::DK_Error,
1057e8f2fb20SChandler Carruth                     Prefix + "-NEXT: is on the same line as previous match");
1058e8f2fb20SChandler Carruth     SM.PrintMessage(SMLoc::getFromPointer(Buffer.end()), SourceMgr::DK_Note,
1059e8f2fb20SChandler Carruth                     "'next' match was here");
1060dcc7d48dSMichael Liao     SM.PrintMessage(SMLoc::getFromPointer(Buffer.data()), SourceMgr::DK_Note,
1061dcc7d48dSMichael Liao                     "previous match ended here");
1062dcc7d48dSMichael Liao     return true;
1063dcc7d48dSMichael Liao   }
1064dcc7d48dSMichael Liao 
1065dcc7d48dSMichael Liao   if (NumNewLines != 1) {
1066e8f2fb20SChandler Carruth     SM.PrintMessage(Loc, SourceMgr::DK_Error,
1067e8f2fb20SChandler Carruth                     Prefix +
1068dcc7d48dSMichael Liao                         "-NEXT: is not on the line after the previous match");
1069e8f2fb20SChandler Carruth     SM.PrintMessage(SMLoc::getFromPointer(Buffer.end()), SourceMgr::DK_Note,
1070e8f2fb20SChandler Carruth                     "'next' match was here");
1071dcc7d48dSMichael Liao     SM.PrintMessage(SMLoc::getFromPointer(Buffer.data()), SourceMgr::DK_Note,
1072dcc7d48dSMichael Liao                     "previous match ended here");
1073592fe880SRichard Smith     SM.PrintMessage(SMLoc::getFromPointer(FirstNewLine), SourceMgr::DK_Note,
1074592fe880SRichard Smith                     "non-matching line after previous match is here");
1075dcc7d48dSMichael Liao     return true;
1076dcc7d48dSMichael Liao   }
1077dcc7d48dSMichael Liao 
1078dcc7d48dSMichael Liao   return false;
1079dcc7d48dSMichael Liao }
1080dcc7d48dSMichael Liao 
10814dabac20SChandler Carruth /// Verify there is no newline in the given buffer.
108201ac1707SDuncan P. N. Exon Smith bool CheckString::CheckSame(const SourceMgr &SM, StringRef Buffer) const {
108385913ccaSJames Y Knight   if (Pat.getCheckTy() != Check::CheckSame)
108401ac1707SDuncan P. N. Exon Smith     return false;
108501ac1707SDuncan P. N. Exon Smith 
108601ac1707SDuncan P. N. Exon Smith   // Count the number of newlines between the previous match and this one.
108701ac1707SDuncan P. N. Exon Smith   assert(Buffer.data() !=
108801ac1707SDuncan P. N. Exon Smith              SM.getMemoryBuffer(SM.FindBufferContainingLoc(
108901ac1707SDuncan P. N. Exon Smith                                     SMLoc::getFromPointer(Buffer.data())))
109001ac1707SDuncan P. N. Exon Smith                  ->getBufferStart() &&
109101ac1707SDuncan P. N. Exon Smith          "CHECK-SAME can't be the first check in a file");
109201ac1707SDuncan P. N. Exon Smith 
109301ac1707SDuncan P. N. Exon Smith   const char *FirstNewLine = nullptr;
109401ac1707SDuncan P. N. Exon Smith   unsigned NumNewLines = CountNumNewlinesBetween(Buffer, FirstNewLine);
109501ac1707SDuncan P. N. Exon Smith 
109601ac1707SDuncan P. N. Exon Smith   if (NumNewLines != 0) {
109701ac1707SDuncan P. N. Exon Smith     SM.PrintMessage(Loc, SourceMgr::DK_Error,
109801ac1707SDuncan P. N. Exon Smith                     Prefix +
109901ac1707SDuncan P. N. Exon Smith                         "-SAME: is not on the same line as the previous match");
110001ac1707SDuncan P. N. Exon Smith     SM.PrintMessage(SMLoc::getFromPointer(Buffer.end()), SourceMgr::DK_Note,
110101ac1707SDuncan P. N. Exon Smith                     "'next' match was here");
110201ac1707SDuncan P. N. Exon Smith     SM.PrintMessage(SMLoc::getFromPointer(Buffer.data()), SourceMgr::DK_Note,
110301ac1707SDuncan P. N. Exon Smith                     "previous match ended here");
110401ac1707SDuncan P. N. Exon Smith     return true;
110501ac1707SDuncan P. N. Exon Smith   }
110601ac1707SDuncan P. N. Exon Smith 
110701ac1707SDuncan P. N. Exon Smith   return false;
110801ac1707SDuncan P. N. Exon Smith }
110901ac1707SDuncan P. N. Exon Smith 
11104dabac20SChandler Carruth /// Verify there's no "not strings" in the given buffer.
1111dcc7d48dSMichael Liao bool CheckString::CheckNot(const SourceMgr &SM, StringRef Buffer,
111291a1b2c9SMichael Liao                            const std::vector<const Pattern *> &NotStrings,
1113dcc7d48dSMichael Liao                            StringMap<StringRef> &VariableTable) const {
11148f870499SBenjamin Kramer   for (const Pattern *Pat : NotStrings) {
111538820972SMatt Arsenault     assert((Pat->getCheckTy() == Check::CheckNot) && "Expect CHECK-NOT!");
111691a1b2c9SMichael Liao 
1117dcc7d48dSMichael Liao     size_t MatchLen = 0;
111891a1b2c9SMichael Liao     size_t Pos = Pat->Match(Buffer, MatchLen, VariableTable);
1119dcc7d48dSMichael Liao 
1120e8f2fb20SChandler Carruth     if (Pos == StringRef::npos)
1121e8f2fb20SChandler Carruth       continue;
1122dcc7d48dSMichael Liao 
1123dcc7d48dSMichael Liao     SM.PrintMessage(SMLoc::getFromPointer(Buffer.data() + Pos),
1124e8f2fb20SChandler Carruth                     SourceMgr::DK_Error, Prefix + "-NOT: string occurred!");
112591a1b2c9SMichael Liao     SM.PrintMessage(Pat->getLoc(), SourceMgr::DK_Note,
112613df4626SMatt Arsenault                     Prefix + "-NOT: pattern specified here");
1127dcc7d48dSMichael Liao     return true;
1128dcc7d48dSMichael Liao   }
1129dcc7d48dSMichael Liao 
1130dcc7d48dSMichael Liao   return false;
1131dcc7d48dSMichael Liao }
1132dcc7d48dSMichael Liao 
11334dabac20SChandler Carruth /// Match "dag strings" and their mixed "not strings".
113491a1b2c9SMichael Liao size_t CheckString::CheckDag(const SourceMgr &SM, StringRef Buffer,
113591a1b2c9SMichael Liao                              std::vector<const Pattern *> &NotStrings,
113691a1b2c9SMichael Liao                              StringMap<StringRef> &VariableTable) const {
113791a1b2c9SMichael Liao   if (DagNotStrings.empty())
113891a1b2c9SMichael Liao     return 0;
113991a1b2c9SMichael Liao 
114091a1b2c9SMichael Liao   size_t LastPos = 0;
114191a1b2c9SMichael Liao   size_t StartPos = LastPos;
114291a1b2c9SMichael Liao 
11438f870499SBenjamin Kramer   for (const Pattern &Pat : DagNotStrings) {
114438820972SMatt Arsenault     assert((Pat.getCheckTy() == Check::CheckDAG ||
114538820972SMatt Arsenault             Pat.getCheckTy() == Check::CheckNot) &&
114691a1b2c9SMichael Liao            "Invalid CHECK-DAG or CHECK-NOT!");
114791a1b2c9SMichael Liao 
114838820972SMatt Arsenault     if (Pat.getCheckTy() == Check::CheckNot) {
114991a1b2c9SMichael Liao       NotStrings.push_back(&Pat);
115091a1b2c9SMichael Liao       continue;
115191a1b2c9SMichael Liao     }
115291a1b2c9SMichael Liao 
115338820972SMatt Arsenault     assert((Pat.getCheckTy() == Check::CheckDAG) && "Expect CHECK-DAG!");
115491a1b2c9SMichael Liao 
115591a1b2c9SMichael Liao     size_t MatchLen = 0, MatchPos;
115691a1b2c9SMichael Liao 
115791a1b2c9SMichael Liao     // CHECK-DAG always matches from the start.
115891a1b2c9SMichael Liao     StringRef MatchBuffer = Buffer.substr(StartPos);
115991a1b2c9SMichael Liao     MatchPos = Pat.Match(MatchBuffer, MatchLen, VariableTable);
116091a1b2c9SMichael Liao     // With a group of CHECK-DAGs, a single mismatching means the match on
116191a1b2c9SMichael Liao     // that group of CHECK-DAGs fails immediately.
116291a1b2c9SMichael Liao     if (MatchPos == StringRef::npos) {
116391a1b2c9SMichael Liao       PrintCheckFailed(SM, Pat.getLoc(), Pat, MatchBuffer, VariableTable);
116491a1b2c9SMichael Liao       return StringRef::npos;
116591a1b2c9SMichael Liao     }
116691a1b2c9SMichael Liao     // Re-calc it as the offset relative to the start of the original string.
116791a1b2c9SMichael Liao     MatchPos += StartPos;
116891a1b2c9SMichael Liao 
116991a1b2c9SMichael Liao     if (!NotStrings.empty()) {
117091a1b2c9SMichael Liao       if (MatchPos < LastPos) {
117191a1b2c9SMichael Liao         // Reordered?
117291a1b2c9SMichael Liao         SM.PrintMessage(SMLoc::getFromPointer(Buffer.data() + MatchPos),
117391a1b2c9SMichael Liao                         SourceMgr::DK_Error,
117413df4626SMatt Arsenault                         Prefix + "-DAG: found a match of CHECK-DAG"
117591a1b2c9SMichael Liao                                  " reordering across a CHECK-NOT");
117691a1b2c9SMichael Liao         SM.PrintMessage(SMLoc::getFromPointer(Buffer.data() + LastPos),
117791a1b2c9SMichael Liao                         SourceMgr::DK_Note,
117813df4626SMatt Arsenault                         Prefix + "-DAG: the farthest match of CHECK-DAG"
117991a1b2c9SMichael Liao                                  " is found here");
118091a1b2c9SMichael Liao         SM.PrintMessage(NotStrings[0]->getLoc(), SourceMgr::DK_Note,
118113df4626SMatt Arsenault                         Prefix + "-NOT: the crossed pattern specified"
118291a1b2c9SMichael Liao                                  " here");
118391a1b2c9SMichael Liao         SM.PrintMessage(Pat.getLoc(), SourceMgr::DK_Note,
118413df4626SMatt Arsenault                         Prefix + "-DAG: the reordered pattern specified"
118591a1b2c9SMichael Liao                                  " here");
118691a1b2c9SMichael Liao         return StringRef::npos;
118791a1b2c9SMichael Liao       }
118891a1b2c9SMichael Liao       // All subsequent CHECK-DAGs should be matched from the farthest
118991a1b2c9SMichael Liao       // position of all precedent CHECK-DAGs (including this one.)
119091a1b2c9SMichael Liao       StartPos = LastPos;
119191a1b2c9SMichael Liao       // If there's CHECK-NOTs between two CHECK-DAGs or from CHECK to
119291a1b2c9SMichael Liao       // CHECK-DAG, verify that there's no 'not' strings occurred in that
119391a1b2c9SMichael Liao       // region.
119491a1b2c9SMichael Liao       StringRef SkippedRegion = Buffer.substr(LastPos, MatchPos);
1195cf708c32STim Northover       if (CheckNot(SM, SkippedRegion, NotStrings, VariableTable))
119691a1b2c9SMichael Liao         return StringRef::npos;
119791a1b2c9SMichael Liao       // Clear "not strings".
119891a1b2c9SMichael Liao       NotStrings.clear();
119991a1b2c9SMichael Liao     }
120091a1b2c9SMichael Liao 
120191a1b2c9SMichael Liao     // Update the last position with CHECK-DAG matches.
120291a1b2c9SMichael Liao     LastPos = std::max(MatchPos + MatchLen, LastPos);
120391a1b2c9SMichael Liao   }
120491a1b2c9SMichael Liao 
120591a1b2c9SMichael Liao   return LastPos;
120691a1b2c9SMichael Liao }
120791a1b2c9SMichael Liao 
120813df4626SMatt Arsenault // A check prefix must contain only alphanumeric, hyphens and underscores.
120913df4626SMatt Arsenault static bool ValidateCheckPrefix(StringRef CheckPrefix) {
121013df4626SMatt Arsenault   Regex Validator("^[a-zA-Z0-9_-]*$");
121113df4626SMatt Arsenault   return Validator.match(CheckPrefix);
121213df4626SMatt Arsenault }
121313df4626SMatt Arsenault 
121413df4626SMatt Arsenault static bool ValidateCheckPrefixes() {
121513df4626SMatt Arsenault   StringSet<> PrefixSet;
121613df4626SMatt Arsenault 
12178f870499SBenjamin Kramer   for (StringRef Prefix : CheckPrefixes) {
121824412b14SEli Bendersky     // Reject empty prefixes.
121924412b14SEli Bendersky     if (Prefix == "")
122024412b14SEli Bendersky       return false;
122124412b14SEli Bendersky 
12220356975cSDavid Blaikie     if (!PrefixSet.insert(Prefix).second)
122313df4626SMatt Arsenault       return false;
122413df4626SMatt Arsenault 
122513df4626SMatt Arsenault     if (!ValidateCheckPrefix(Prefix))
122613df4626SMatt Arsenault       return false;
122713df4626SMatt Arsenault   }
122813df4626SMatt Arsenault 
122913df4626SMatt Arsenault   return true;
123013df4626SMatt Arsenault }
123113df4626SMatt Arsenault 
1232*726774cbSChandler Carruth // Combines the check prefixes into a single regex so that we can efficiently
1233*726774cbSChandler Carruth // scan for any of the set.
1234*726774cbSChandler Carruth //
1235*726774cbSChandler Carruth // The semantics are that the longest-match wins which matches our regex
1236*726774cbSChandler Carruth // library.
1237*726774cbSChandler Carruth static Regex buildCheckPrefixRegex() {
123813df4626SMatt Arsenault   // I don't think there's a way to specify an initial value for cl::list,
123913df4626SMatt Arsenault   // so if nothing was specified, add the default
124013df4626SMatt Arsenault   if (CheckPrefixes.empty())
124113df4626SMatt Arsenault     CheckPrefixes.push_back("CHECK");
1242*726774cbSChandler Carruth 
1243*726774cbSChandler Carruth   // We already validated the contents of CheckPrefixes so just concatenate
1244*726774cbSChandler Carruth   // them as alternatives.
1245*726774cbSChandler Carruth   SmallString<32> PrefixRegexStr;
1246*726774cbSChandler Carruth   for (StringRef Prefix : CheckPrefixes) {
1247*726774cbSChandler Carruth     if (Prefix != CheckPrefixes.front())
1248*726774cbSChandler Carruth       PrefixRegexStr.push_back('|');
1249*726774cbSChandler Carruth 
1250*726774cbSChandler Carruth     PrefixRegexStr.append(Prefix);
1251*726774cbSChandler Carruth   }
1252*726774cbSChandler Carruth 
1253*726774cbSChandler Carruth   return Regex(PrefixRegexStr);
1254c2735158SRui Ueyama }
1255c2735158SRui Ueyama 
12562bd4f8b6SXinliang David Li static void DumpCommandLine(int argc, char **argv) {
12572bd4f8b6SXinliang David Li   errs() << "FileCheck command line: ";
12582bd4f8b6SXinliang David Li   for (int I = 0; I < argc; I++)
12592bd4f8b6SXinliang David Li     errs() << " " << argv[I];
12602bd4f8b6SXinliang David Li   errs() << "\n";
12612bd4f8b6SXinliang David Li }
12622bd4f8b6SXinliang David Li 
126320247900SChandler Carruth /// Check the input to FileCheck provided in the \p Buffer against the \p
126420247900SChandler Carruth /// CheckStrings read from the check file.
126520247900SChandler Carruth ///
126620247900SChandler Carruth /// Returns false if the input fails to satisfy the checks.
126720247900SChandler Carruth bool CheckInput(SourceMgr &SM, StringRef Buffer,
126820247900SChandler Carruth                 ArrayRef<CheckString> CheckStrings) {
126920247900SChandler Carruth   bool ChecksFailed = false;
127020247900SChandler Carruth 
127120247900SChandler Carruth   /// VariableTable - This holds all the current filecheck variables.
127220247900SChandler Carruth   StringMap<StringRef> VariableTable;
127320247900SChandler Carruth 
127420247900SChandler Carruth   unsigned i = 0, j = 0, e = CheckStrings.size();
127520247900SChandler Carruth   while (true) {
127620247900SChandler Carruth     StringRef CheckRegion;
127720247900SChandler Carruth     if (j == e) {
127820247900SChandler Carruth       CheckRegion = Buffer;
127920247900SChandler Carruth     } else {
128020247900SChandler Carruth       const CheckString &CheckLabelStr = CheckStrings[j];
128120247900SChandler Carruth       if (CheckLabelStr.Pat.getCheckTy() != Check::CheckLabel) {
128220247900SChandler Carruth         ++j;
128320247900SChandler Carruth         continue;
128420247900SChandler Carruth       }
128520247900SChandler Carruth 
128620247900SChandler Carruth       // Scan to next CHECK-LABEL match, ignoring CHECK-NOT and CHECK-DAG
128720247900SChandler Carruth       size_t MatchLabelLen = 0;
1288e8f2fb20SChandler Carruth       size_t MatchLabelPos =
1289e8f2fb20SChandler Carruth           CheckLabelStr.Check(SM, Buffer, true, MatchLabelLen, VariableTable);
129020247900SChandler Carruth       if (MatchLabelPos == StringRef::npos)
129120247900SChandler Carruth         // Immediately bail of CHECK-LABEL fails, nothing else we can do.
129220247900SChandler Carruth         return false;
129320247900SChandler Carruth 
129420247900SChandler Carruth       CheckRegion = Buffer.substr(0, MatchLabelPos + MatchLabelLen);
129520247900SChandler Carruth       Buffer = Buffer.substr(MatchLabelPos + MatchLabelLen);
129620247900SChandler Carruth       ++j;
129720247900SChandler Carruth     }
129820247900SChandler Carruth 
129920247900SChandler Carruth     for (; i != j; ++i) {
130020247900SChandler Carruth       const CheckString &CheckStr = CheckStrings[i];
130120247900SChandler Carruth 
130220247900SChandler Carruth       // Check each string within the scanned region, including a second check
130320247900SChandler Carruth       // of any final CHECK-LABEL (to verify CHECK-NOT and CHECK-DAG)
130420247900SChandler Carruth       size_t MatchLen = 0;
1305e8f2fb20SChandler Carruth       size_t MatchPos =
1306e8f2fb20SChandler Carruth           CheckStr.Check(SM, CheckRegion, false, MatchLen, VariableTable);
130720247900SChandler Carruth 
130820247900SChandler Carruth       if (MatchPos == StringRef::npos) {
130920247900SChandler Carruth         ChecksFailed = true;
131020247900SChandler Carruth         i = j;
131120247900SChandler Carruth         break;
131220247900SChandler Carruth       }
131320247900SChandler Carruth 
131420247900SChandler Carruth       CheckRegion = CheckRegion.substr(MatchPos + MatchLen);
131520247900SChandler Carruth     }
131620247900SChandler Carruth 
131720247900SChandler Carruth     if (j == e)
131820247900SChandler Carruth       break;
131920247900SChandler Carruth   }
132020247900SChandler Carruth 
132120247900SChandler Carruth   // Success if no checks failed.
132220247900SChandler Carruth   return !ChecksFailed;
132320247900SChandler Carruth }
132420247900SChandler Carruth 
1325ee3c74fbSChris Lattner int main(int argc, char **argv) {
13262ad6d48bSRichard Smith   sys::PrintStackTraceOnErrorSignal(argv[0]);
1327ee3c74fbSChris Lattner   PrettyStackTraceProgram X(argc, argv);
1328ee3c74fbSChris Lattner   cl::ParseCommandLineOptions(argc, argv);
1329ee3c74fbSChris Lattner 
133013df4626SMatt Arsenault   if (!ValidateCheckPrefixes()) {
133113df4626SMatt Arsenault     errs() << "Supplied check-prefix is invalid! Prefixes must be unique and "
133213df4626SMatt Arsenault               "start with a letter and contain only alphanumeric characters, "
133313df4626SMatt Arsenault               "hyphens and underscores\n";
1334c2735158SRui Ueyama     return 2;
1335c2735158SRui Ueyama   }
1336c2735158SRui Ueyama 
1337*726774cbSChandler Carruth   Regex PrefixRE = buildCheckPrefixRegex();
1338*726774cbSChandler Carruth   std::string REError;
1339*726774cbSChandler Carruth   if (!PrefixRE.isValid(REError)) {
1340*726774cbSChandler Carruth     errs() << "Unable to combine check-prefix strings into a prefix regular "
1341*726774cbSChandler Carruth               "expression! This is likely a bug in FileCheck's verification of "
1342*726774cbSChandler Carruth               "the check-prefix strings. Regular expression parsing failed "
1343*726774cbSChandler Carruth               "with the following error: "
1344*726774cbSChandler Carruth            << REError << "\n";
1345*726774cbSChandler Carruth     return 2;
1346*726774cbSChandler Carruth   }
134713df4626SMatt Arsenault 
1348ee3c74fbSChris Lattner   SourceMgr SM;
1349ee3c74fbSChris Lattner 
1350ee3c74fbSChris Lattner   // Read the expected strings from the check file.
135120247900SChandler Carruth   ErrorOr<std::unique_ptr<MemoryBuffer>> CheckFileOrErr =
135220247900SChandler Carruth       MemoryBuffer::getFileOrSTDIN(CheckFilename);
135320247900SChandler Carruth   if (std::error_code EC = CheckFileOrErr.getError()) {
135420247900SChandler Carruth     errs() << "Could not open check file '" << CheckFilename
135520247900SChandler Carruth            << "': " << EC.message() << '\n';
135620247900SChandler Carruth     return 2;
135720247900SChandler Carruth   }
135820247900SChandler Carruth   MemoryBuffer &CheckFile = *CheckFileOrErr.get();
135920247900SChandler Carruth 
136020247900SChandler Carruth   SmallString<4096> CheckFileBuffer;
1361b03c166aSChandler Carruth   StringRef CheckFileText = CanonicalizeFile(CheckFile, CheckFileBuffer);
136220247900SChandler Carruth 
136320247900SChandler Carruth   SM.AddNewSourceBuffer(MemoryBuffer::getMemBuffer(
136420247900SChandler Carruth                             CheckFileText, CheckFile.getBufferIdentifier()),
136520247900SChandler Carruth                         SMLoc());
136620247900SChandler Carruth 
136726cccfe1SChris Lattner   std::vector<CheckString> CheckStrings;
1368*726774cbSChandler Carruth   if (ReadCheckFile(SM, CheckFileText, PrefixRE, CheckStrings))
1369ee3c74fbSChris Lattner     return 2;
1370ee3c74fbSChris Lattner 
1371ee3c74fbSChris Lattner   // Open the file to check and add it to SourceMgr.
137220247900SChandler Carruth   ErrorOr<std::unique_ptr<MemoryBuffer>> InputFileOrErr =
1373adf21f2aSRafael Espindola       MemoryBuffer::getFileOrSTDIN(InputFilename);
137420247900SChandler Carruth   if (std::error_code EC = InputFileOrErr.getError()) {
1375adf21f2aSRafael Espindola     errs() << "Could not open input file '" << InputFilename
1376adf21f2aSRafael Espindola            << "': " << EC.message() << '\n';
13778e1c6477SEli Bendersky     return 2;
1378ee3c74fbSChris Lattner   }
137920247900SChandler Carruth   MemoryBuffer &InputFile = *InputFileOrErr.get();
13802c3e5cdfSChris Lattner 
138120247900SChandler Carruth   if (InputFile.getBufferSize() == 0 && !AllowEmptyInput) {
1382b692bed7SChris Lattner     errs() << "FileCheck error: '" << InputFilename << "' is empty.\n";
13832bd4f8b6SXinliang David Li     DumpCommandLine(argc, argv);
13848e1c6477SEli Bendersky     return 2;
1385b692bed7SChris Lattner   }
1386b692bed7SChris Lattner 
138720247900SChandler Carruth   SmallString<4096> InputFileBuffer;
1388b03c166aSChandler Carruth   StringRef InputFileText = CanonicalizeFile(InputFile, InputFileBuffer);
13892c3e5cdfSChris Lattner 
1390e8f2fb20SChandler Carruth   SM.AddNewSourceBuffer(MemoryBuffer::getMemBuffer(
1391e8f2fb20SChandler Carruth                             InputFileText, InputFile.getBufferIdentifier()),
1392e8f2fb20SChandler Carruth                         SMLoc());
1393ee3c74fbSChris Lattner 
139420247900SChandler Carruth   return CheckInput(SM, InputFileText, CheckStrings) ? EXIT_SUCCESS : 1;
1395ee3c74fbSChris Lattner }
1396