1 //===- FileCheck.cpp - Check that File's Contents match what is expected --===//
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
7 //===----------------------------------------------------------------------===//
9 // FileCheck does a line-by line check of a file that validates whether it
10 // contains the expected content. This is useful for regression tests etc.
12 // This file implements most of the API that will be used by the FileCheck utility
13 // as well as various unittests.
14 //===----------------------------------------------------------------------===//
16 #include "llvm/Support/FileCheck.h"
17 #include "llvm/ADT/StringSet.h"
18 #include "llvm/Support/FormatVariadic.h"
27 /// Parses the given string into the Pattern.
29 /// \p Prefix provides which prefix is being matched, \p SM provides the
30 /// SourceMgr used for error reports, and \p LineNumber is the line number in
31 /// the input file from which the pattern string was read. Returns true in
32 /// case of an error, false otherwise.
33 bool FileCheckPattern::ParsePattern(StringRef PatternStr
, StringRef Prefix
,
34 SourceMgr
&SM
, unsigned LineNumber
,
35 const FileCheckRequest
&Req
) {
36 bool MatchFullLinesHere
= Req
.MatchFullLines
&& CheckTy
!= Check::CheckNot
;
38 this->LineNumber
= LineNumber
;
39 PatternLoc
= SMLoc::getFromPointer(PatternStr
.data());
41 if (!(Req
.NoCanonicalizeWhiteSpace
&& Req
.MatchFullLines
))
42 // Ignore trailing whitespace.
43 while (!PatternStr
.empty() &&
44 (PatternStr
.back() == ' ' || PatternStr
.back() == '\t'))
45 PatternStr
= PatternStr
.substr(0, PatternStr
.size() - 1);
47 // Check that there is something on the line.
48 if (PatternStr
.empty() && CheckTy
!= Check::CheckEmpty
) {
49 SM
.PrintMessage(PatternLoc
, SourceMgr::DK_Error
,
50 "found empty check string with prefix '" + Prefix
+ ":'");
54 if (!PatternStr
.empty() && CheckTy
== Check::CheckEmpty
) {
56 PatternLoc
, SourceMgr::DK_Error
,
57 "found non-empty check string for empty check with prefix '" + Prefix
+
62 if (CheckTy
== Check::CheckEmpty
) {
67 // Check to see if this is a fixed string, or if it has regex pieces.
68 if (!MatchFullLinesHere
&&
69 (PatternStr
.size() < 2 || (PatternStr
.find("{{") == StringRef::npos
&&
70 PatternStr
.find("[[") == StringRef::npos
))) {
71 FixedStr
= PatternStr
;
75 if (MatchFullLinesHere
) {
77 if (!Req
.NoCanonicalizeWhiteSpace
)
81 // Paren value #0 is for the fully matched string. Any new parenthesized
82 // values add from there.
83 unsigned CurParen
= 1;
85 // Otherwise, there is at least one regex piece. Build up the regex pattern
86 // by escaping scary characters in fixed strings, building up one big regex.
87 while (!PatternStr
.empty()) {
89 if (PatternStr
.startswith("{{")) {
90 // This is the start of a regex match. Scan for the }}.
91 size_t End
= PatternStr
.find("}}");
92 if (End
== StringRef::npos
) {
93 SM
.PrintMessage(SMLoc::getFromPointer(PatternStr
.data()),
95 "found start of regex string with no end '}}'");
99 // Enclose {{}} patterns in parens just like [[]] even though we're not
100 // capturing the result for any purpose. This is required in case the
101 // expression contains an alternation like: CHECK: abc{{x|z}}def. We
102 // want this to turn into: "abc(x|z)def" not "abcx|zdef".
106 if (AddRegExToRegEx(PatternStr
.substr(2, End
- 2), CurParen
, SM
))
110 PatternStr
= PatternStr
.substr(End
+ 2);
114 // Named RegEx matches. These are of two forms: [[foo:.*]] which matches .*
115 // (or some other regex) and assigns it to the FileCheck variable 'foo'. The
116 // second form is [[foo]] which is a reference to foo. The variable name
117 // itself must be of the form "[a-zA-Z_][0-9a-zA-Z_]*", otherwise we reject
118 // it. This is to catch some common errors.
119 if (PatternStr
.startswith("[[")) {
120 // Find the closing bracket pair ending the match. End is going to be an
121 // offset relative to the beginning of the match string.
122 size_t End
= FindRegexVarEnd(PatternStr
.substr(2), SM
);
124 if (End
== StringRef::npos
) {
125 SM
.PrintMessage(SMLoc::getFromPointer(PatternStr
.data()),
127 "invalid named regex reference, no ]] found");
131 StringRef MatchStr
= PatternStr
.substr(2, End
);
132 PatternStr
= PatternStr
.substr(End
+ 4);
134 // Get the regex name (e.g. "foo").
135 size_t NameEnd
= MatchStr
.find(':');
136 StringRef Name
= MatchStr
.substr(0, NameEnd
);
139 SM
.PrintMessage(SMLoc::getFromPointer(Name
.data()), SourceMgr::DK_Error
,
140 "invalid name in named regex: empty name");
144 // Verify that the name/expression is well formed. FileCheck currently
145 // supports @LINE, @LINE+number, @LINE-number expressions. The check here
146 // is relaxed, more strict check is performed in \c EvaluateExpression.
147 bool IsExpression
= false;
148 for (unsigned i
= 0, e
= Name
.size(); i
!= e
; ++i
) {
150 if (Name
[i
] == '$') // Global vars start with '$'
152 if (Name
[i
] == '@') {
153 if (NameEnd
!= StringRef::npos
) {
154 SM
.PrintMessage(SMLoc::getFromPointer(Name
.data()),
156 "invalid name in named regex definition");
163 if (Name
[i
] != '_' && !isalnum(Name
[i
]) &&
164 (!IsExpression
|| (Name
[i
] != '+' && Name
[i
] != '-'))) {
165 SM
.PrintMessage(SMLoc::getFromPointer(Name
.data() + i
),
166 SourceMgr::DK_Error
, "invalid name in named regex");
171 // Name can't start with a digit.
172 if (isdigit(static_cast<unsigned char>(Name
[0]))) {
173 SM
.PrintMessage(SMLoc::getFromPointer(Name
.data()), SourceMgr::DK_Error
,
174 "invalid name in named regex");
179 if (NameEnd
== StringRef::npos
) {
180 // Handle variables that were defined earlier on the same line by
181 // emitting a backreference.
182 if (VariableDefs
.find(Name
) != VariableDefs
.end()) {
183 unsigned VarParenNum
= VariableDefs
[Name
];
184 if (VarParenNum
< 1 || VarParenNum
> 9) {
185 SM
.PrintMessage(SMLoc::getFromPointer(Name
.data()),
187 "Can't back-reference more than 9 variables");
190 AddBackrefToRegEx(VarParenNum
);
192 VariableUses
.push_back(std::make_pair(Name
, RegExStr
.size()));
197 // Handle [[foo:.*]].
198 VariableDefs
[Name
] = CurParen
;
202 if (AddRegExToRegEx(MatchStr
.substr(NameEnd
+ 1), CurParen
, SM
))
208 // Handle fixed string matches.
209 // Find the end, which is the start of the next regex.
210 size_t FixedMatchEnd
= PatternStr
.find("{{");
211 FixedMatchEnd
= std::min(FixedMatchEnd
, PatternStr
.find("[["));
212 RegExStr
+= Regex::escape(PatternStr
.substr(0, FixedMatchEnd
));
213 PatternStr
= PatternStr
.substr(FixedMatchEnd
);
216 if (MatchFullLinesHere
) {
217 if (!Req
.NoCanonicalizeWhiteSpace
)
225 bool FileCheckPattern::AddRegExToRegEx(StringRef RS
, unsigned &CurParen
, SourceMgr
&SM
) {
228 if (!R
.isValid(Error
)) {
229 SM
.PrintMessage(SMLoc::getFromPointer(RS
.data()), SourceMgr::DK_Error
,
230 "invalid regex: " + Error
);
234 RegExStr
+= RS
.str();
235 CurParen
+= R
.getNumMatches();
239 void FileCheckPattern::AddBackrefToRegEx(unsigned BackrefNum
) {
240 assert(BackrefNum
>= 1 && BackrefNum
<= 9 && "Invalid backref number");
241 std::string Backref
= std::string("\\") + std::string(1, '0' + BackrefNum
);
245 /// Evaluates expression and stores the result to \p Value.
247 /// Returns true on success and false when the expression has invalid syntax.
248 bool FileCheckPattern::EvaluateExpression(StringRef Expr
, std::string
&Value
) const {
249 // The only supported expression is @LINE([\+-]\d+)?
250 if (!Expr
.startswith("@LINE"))
252 Expr
= Expr
.substr(StringRef("@LINE").size());
256 Expr
= Expr
.substr(1);
257 else if (Expr
[0] != '-')
259 if (Expr
.getAsInteger(10, Offset
))
262 Value
= llvm::itostr(LineNumber
+ Offset
);
266 /// Matches the pattern string against the input buffer \p Buffer
268 /// This returns the position that is matched or npos if there is no match. If
269 /// there is a match, the size of the matched string is returned in \p
272 /// The \p VariableTable StringMap provides the current values of filecheck
273 /// variables and is updated if this match defines new values.
274 size_t FileCheckPattern::Match(StringRef Buffer
, size_t &MatchLen
,
275 StringMap
<StringRef
> &VariableTable
) const {
276 // If this is the EOF pattern, match it immediately.
277 if (CheckTy
== Check::CheckEOF
) {
279 return Buffer
.size();
282 // If this is a fixed string pattern, just match it now.
283 if (!FixedStr
.empty()) {
284 MatchLen
= FixedStr
.size();
285 return Buffer
.find(FixedStr
);
290 // If there are variable uses, we need to create a temporary string with the
292 StringRef RegExToMatch
= RegExStr
;
294 if (!VariableUses
.empty()) {
297 unsigned InsertOffset
= 0;
298 for (const auto &VariableUse
: VariableUses
) {
301 if (VariableUse
.first
[0] == '@') {
302 if (!EvaluateExpression(VariableUse
.first
, Value
))
303 return StringRef::npos
;
305 StringMap
<StringRef
>::iterator it
=
306 VariableTable
.find(VariableUse
.first
);
307 // If the variable is undefined, return an error.
308 if (it
== VariableTable
.end())
309 return StringRef::npos
;
311 // Look up the value and escape it so that we can put it into the regex.
312 Value
+= Regex::escape(it
->second
);
315 // Plop it into the regex at the adjusted offset.
316 TmpStr
.insert(TmpStr
.begin() + VariableUse
.second
+ InsertOffset
,
317 Value
.begin(), Value
.end());
318 InsertOffset
+= Value
.size();
321 // Match the newly constructed regex.
322 RegExToMatch
= TmpStr
;
325 SmallVector
<StringRef
, 4> MatchInfo
;
326 if (!Regex(RegExToMatch
, Regex::Newline
).match(Buffer
, &MatchInfo
))
327 return StringRef::npos
;
329 // Successful regex match.
330 assert(!MatchInfo
.empty() && "Didn't get any match");
331 StringRef FullMatch
= MatchInfo
[0];
333 // If this defines any variables, remember their values.
334 for (const auto &VariableDef
: VariableDefs
) {
335 assert(VariableDef
.second
< MatchInfo
.size() && "Internal paren error");
336 VariableTable
[VariableDef
.first
] = MatchInfo
[VariableDef
.second
];
339 // Like CHECK-NEXT, CHECK-EMPTY's match range is considered to start after
340 // the required preceding newline, which is consumed by the pattern in the
341 // case of CHECK-EMPTY but not CHECK-NEXT.
342 size_t MatchStartSkip
= CheckTy
== Check::CheckEmpty
;
343 MatchLen
= FullMatch
.size() - MatchStartSkip
;
344 return FullMatch
.data() - Buffer
.data() + MatchStartSkip
;
348 /// Computes an arbitrary estimate for the quality of matching this pattern at
349 /// the start of \p Buffer; a distance of zero should correspond to a perfect
352 FileCheckPattern::ComputeMatchDistance(StringRef Buffer
,
353 const StringMap
<StringRef
> &VariableTable
) const {
354 // Just compute the number of matching characters. For regular expressions, we
355 // just compare against the regex itself and hope for the best.
357 // FIXME: One easy improvement here is have the regex lib generate a single
358 // example regular expression which matches, and use that as the example
360 StringRef
ExampleString(FixedStr
);
361 if (ExampleString
.empty())
362 ExampleString
= RegExStr
;
364 // Only compare up to the first line in the buffer, or the string size.
365 StringRef BufferPrefix
= Buffer
.substr(0, ExampleString
.size());
366 BufferPrefix
= BufferPrefix
.split('\n').first
;
367 return BufferPrefix
.edit_distance(ExampleString
);
370 void FileCheckPattern::PrintVariableUses(const SourceMgr
&SM
, StringRef Buffer
,
371 const StringMap
<StringRef
> &VariableTable
,
372 SMRange MatchRange
) const {
373 // If this was a regular expression using variables, print the current
375 if (!VariableUses
.empty()) {
376 for (const auto &VariableUse
: VariableUses
) {
377 SmallString
<256> Msg
;
378 raw_svector_ostream
OS(Msg
);
379 StringRef Var
= VariableUse
.first
;
382 if (EvaluateExpression(Var
, Value
)) {
383 OS
<< "with expression \"";
384 OS
.write_escaped(Var
) << "\" equal to \"";
385 OS
.write_escaped(Value
) << "\"";
387 OS
<< "uses incorrect expression \"";
388 OS
.write_escaped(Var
) << "\"";
391 StringMap
<StringRef
>::const_iterator it
= VariableTable
.find(Var
);
393 // Check for undefined variable references.
394 if (it
== VariableTable
.end()) {
395 OS
<< "uses undefined variable \"";
396 OS
.write_escaped(Var
) << "\"";
398 OS
<< "with variable \"";
399 OS
.write_escaped(Var
) << "\" equal to \"";
400 OS
.write_escaped(it
->second
) << "\"";
404 if (MatchRange
.isValid())
405 SM
.PrintMessage(MatchRange
.Start
, SourceMgr::DK_Note
, OS
.str(),
408 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.data()),
409 SourceMgr::DK_Note
, OS
.str());
414 static SMRange
ProcessMatchResult(FileCheckDiag::MatchType MatchTy
,
415 const SourceMgr
&SM
, SMLoc Loc
,
416 Check::FileCheckType CheckTy
,
417 StringRef Buffer
, size_t Pos
, size_t Len
,
418 std::vector
<FileCheckDiag
> *Diags
,
419 bool AdjustPrevDiag
= false) {
420 SMLoc Start
= SMLoc::getFromPointer(Buffer
.data() + Pos
);
421 SMLoc End
= SMLoc::getFromPointer(Buffer
.data() + Pos
+ Len
);
422 SMRange
Range(Start
, End
);
425 Diags
->rbegin()->MatchTy
= MatchTy
;
427 Diags
->emplace_back(SM
, CheckTy
, Loc
, MatchTy
, Range
);
432 void FileCheckPattern::PrintFuzzyMatch(
433 const SourceMgr
&SM
, StringRef Buffer
,
434 const StringMap
<StringRef
> &VariableTable
,
435 std::vector
<FileCheckDiag
> *Diags
) const {
436 // Attempt to find the closest/best fuzzy match. Usually an error happens
437 // because some string in the output didn't exactly match. In these cases, we
438 // would like to show the user a best guess at what "should have" matched, to
439 // save them having to actually check the input manually.
440 size_t NumLinesForward
= 0;
441 size_t Best
= StringRef::npos
;
442 double BestQuality
= 0;
444 // Use an arbitrary 4k limit on how far we will search.
445 for (size_t i
= 0, e
= std::min(size_t(4096), Buffer
.size()); i
!= e
; ++i
) {
446 if (Buffer
[i
] == '\n')
449 // Patterns have leading whitespace stripped, so skip whitespace when
450 // looking for something which looks like a pattern.
451 if (Buffer
[i
] == ' ' || Buffer
[i
] == '\t')
454 // Compute the "quality" of this match as an arbitrary combination of the
455 // match distance and the number of lines skipped to get to this match.
456 unsigned Distance
= ComputeMatchDistance(Buffer
.substr(i
), VariableTable
);
457 double Quality
= Distance
+ (NumLinesForward
/ 100.);
459 if (Quality
< BestQuality
|| Best
== StringRef::npos
) {
461 BestQuality
= Quality
;
465 // Print the "possible intended match here" line if we found something
466 // reasonable and not equal to what we showed in the "scanning from here"
468 if (Best
&& Best
!= StringRef::npos
&& BestQuality
< 50) {
470 ProcessMatchResult(FileCheckDiag::MatchFuzzy
, SM
, getLoc(),
471 getCheckTy(), Buffer
, Best
, 0, Diags
);
472 SM
.PrintMessage(MatchRange
.Start
, SourceMgr::DK_Note
,
473 "possible intended match here");
475 // FIXME: If we wanted to be really friendly we would show why the match
476 // failed, as it can be hard to spot simple one character differences.
480 /// Finds the closing sequence of a regex variable usage or definition.
482 /// \p Str has to point in the beginning of the definition (right after the
483 /// opening sequence). Returns the offset of the closing sequence within Str,
484 /// or npos if it was not found.
485 size_t FileCheckPattern::FindRegexVarEnd(StringRef Str
, SourceMgr
&SM
) {
486 // Offset keeps track of the current offset within the input Str
488 // [...] Nesting depth
489 size_t BracketDepth
= 0;
491 while (!Str
.empty()) {
492 if (Str
.startswith("]]") && BracketDepth
== 0)
494 if (Str
[0] == '\\') {
495 // Backslash escapes the next char within regexes, so skip them both.
506 if (BracketDepth
== 0) {
507 SM
.PrintMessage(SMLoc::getFromPointer(Str
.data()),
509 "missing closing \"]\" for regex variable");
520 return StringRef::npos
;
523 /// Canonicalize whitespaces in the file. Line endings are replaced with
526 llvm::FileCheck::CanonicalizeFile(MemoryBuffer
&MB
,
527 SmallVectorImpl
<char> &OutputBuffer
) {
528 OutputBuffer
.reserve(MB
.getBufferSize());
530 for (const char *Ptr
= MB
.getBufferStart(), *End
= MB
.getBufferEnd();
532 // Eliminate trailing dosish \r.
533 if (Ptr
<= End
- 2 && Ptr
[0] == '\r' && Ptr
[1] == '\n') {
537 // If current char is not a horizontal whitespace or if horizontal
538 // whitespace canonicalization is disabled, dump it to output as is.
539 if (Req
.NoCanonicalizeWhiteSpace
|| (*Ptr
!= ' ' && *Ptr
!= '\t')) {
540 OutputBuffer
.push_back(*Ptr
);
544 // Otherwise, add one space and advance over neighboring space.
545 OutputBuffer
.push_back(' ');
546 while (Ptr
+ 1 != End
&& (Ptr
[1] == ' ' || Ptr
[1] == '\t'))
550 // Add a null byte and then return all but that byte.
551 OutputBuffer
.push_back('\0');
552 return StringRef(OutputBuffer
.data(), OutputBuffer
.size() - 1);
555 FileCheckDiag::FileCheckDiag(const SourceMgr
&SM
,
556 const Check::FileCheckType
&CheckTy
,
557 SMLoc CheckLoc
, MatchType MatchTy
,
559 : CheckTy(CheckTy
), MatchTy(MatchTy
) {
560 auto Start
= SM
.getLineAndColumn(InputRange
.Start
);
561 auto End
= SM
.getLineAndColumn(InputRange
.End
);
562 InputStartLine
= Start
.first
;
563 InputStartCol
= Start
.second
;
564 InputEndLine
= End
.first
;
565 InputEndCol
= End
.second
;
566 Start
= SM
.getLineAndColumn(CheckLoc
);
567 CheckLine
= Start
.first
;
568 CheckCol
= Start
.second
;
571 static bool IsPartOfWord(char c
) {
572 return (isalnum(c
) || c
== '-' || c
== '_');
575 Check::FileCheckType
&Check::FileCheckType::setCount(int C
) {
576 assert(Count
> 0 && "zero and negative counts are not supported");
577 assert((C
== 1 || Kind
== CheckPlain
) &&
578 "count supported only for plain CHECK directives");
583 // Get a description of the type.
584 std::string
Check::FileCheckType::getDescription(StringRef Prefix
) const {
586 case Check::CheckNone
:
588 case Check::CheckPlain
:
590 return Prefix
.str() + "-COUNT";
592 case Check::CheckNext
:
593 return Prefix
.str() + "-NEXT";
594 case Check::CheckSame
:
595 return Prefix
.str() + "-SAME";
596 case Check::CheckNot
:
597 return Prefix
.str() + "-NOT";
598 case Check::CheckDAG
:
599 return Prefix
.str() + "-DAG";
600 case Check::CheckLabel
:
601 return Prefix
.str() + "-LABEL";
602 case Check::CheckEmpty
:
603 return Prefix
.str() + "-EMPTY";
604 case Check::CheckEOF
:
605 return "implicit EOF";
606 case Check::CheckBadNot
:
608 case Check::CheckBadCount
:
611 llvm_unreachable("unknown FileCheckType");
614 static std::pair
<Check::FileCheckType
, StringRef
>
615 FindCheckType(StringRef Buffer
, StringRef Prefix
) {
616 if (Buffer
.size() <= Prefix
.size())
617 return {Check::CheckNone
, StringRef()};
619 char NextChar
= Buffer
[Prefix
.size()];
621 StringRef Rest
= Buffer
.drop_front(Prefix
.size() + 1);
622 // Verify that the : is present after the prefix.
624 return {Check::CheckPlain
, Rest
};
627 return {Check::CheckNone
, StringRef()};
629 if (Rest
.consume_front("COUNT-")) {
631 if (Rest
.consumeInteger(10, Count
))
632 // Error happened in parsing integer.
633 return {Check::CheckBadCount
, Rest
};
634 if (Count
<= 0 || Count
> INT32_MAX
)
635 return {Check::CheckBadCount
, Rest
};
636 if (!Rest
.consume_front(":"))
637 return {Check::CheckBadCount
, Rest
};
638 return {Check::FileCheckType(Check::CheckPlain
).setCount(Count
), Rest
};
641 if (Rest
.consume_front("NEXT:"))
642 return {Check::CheckNext
, Rest
};
644 if (Rest
.consume_front("SAME:"))
645 return {Check::CheckSame
, Rest
};
647 if (Rest
.consume_front("NOT:"))
648 return {Check::CheckNot
, Rest
};
650 if (Rest
.consume_front("DAG:"))
651 return {Check::CheckDAG
, Rest
};
653 if (Rest
.consume_front("LABEL:"))
654 return {Check::CheckLabel
, Rest
};
656 if (Rest
.consume_front("EMPTY:"))
657 return {Check::CheckEmpty
, Rest
};
659 // You can't combine -NOT with another suffix.
660 if (Rest
.startswith("DAG-NOT:") || Rest
.startswith("NOT-DAG:") ||
661 Rest
.startswith("NEXT-NOT:") || Rest
.startswith("NOT-NEXT:") ||
662 Rest
.startswith("SAME-NOT:") || Rest
.startswith("NOT-SAME:") ||
663 Rest
.startswith("EMPTY-NOT:") || Rest
.startswith("NOT-EMPTY:"))
664 return {Check::CheckBadNot
, Rest
};
666 return {Check::CheckNone
, Rest
};
669 // From the given position, find the next character after the word.
670 static size_t SkipWord(StringRef Str
, size_t Loc
) {
671 while (Loc
< Str
.size() && IsPartOfWord(Str
[Loc
]))
676 /// Search the buffer for the first prefix in the prefix regular expression.
678 /// This searches the buffer using the provided regular expression, however it
679 /// enforces constraints beyond that:
680 /// 1) The found prefix must not be a suffix of something that looks like
682 /// 2) The found prefix must be followed by a valid check type suffix using \c
683 /// FindCheckType above.
685 /// Returns a pair of StringRefs into the Buffer, which combines:
686 /// - the first match of the regular expression to satisfy these two is
688 /// otherwise an empty StringRef is returned to indicate failure.
689 /// - buffer rewound to the location right after parsed suffix, for parsing
692 /// If this routine returns a valid prefix, it will also shrink \p Buffer to
693 /// start at the beginning of the returned prefix, increment \p LineNumber for
694 /// each new line consumed from \p Buffer, and set \p CheckTy to the type of
695 /// check found by examining the suffix.
697 /// If no valid prefix is found, the state of Buffer, LineNumber, and CheckTy
699 static std::pair
<StringRef
, StringRef
>
700 FindFirstMatchingPrefix(Regex
&PrefixRE
, StringRef
&Buffer
,
701 unsigned &LineNumber
, Check::FileCheckType
&CheckTy
) {
702 SmallVector
<StringRef
, 2> Matches
;
704 while (!Buffer
.empty()) {
705 // Find the first (longest) match using the RE.
706 if (!PrefixRE
.match(Buffer
, &Matches
))
707 // No match at all, bail.
708 return {StringRef(), StringRef()};
710 StringRef Prefix
= Matches
[0];
713 assert(Prefix
.data() >= Buffer
.data() &&
714 Prefix
.data() < Buffer
.data() + Buffer
.size() &&
715 "Prefix doesn't start inside of buffer!");
716 size_t Loc
= Prefix
.data() - Buffer
.data();
717 StringRef Skipped
= Buffer
.substr(0, Loc
);
718 Buffer
= Buffer
.drop_front(Loc
);
719 LineNumber
+= Skipped
.count('\n');
721 // Check that the matched prefix isn't a suffix of some other check-like
723 // FIXME: This is a very ad-hoc check. it would be better handled in some
724 // other way. Among other things it seems hard to distinguish between
725 // intentional and unintentional uses of this feature.
726 if (Skipped
.empty() || !IsPartOfWord(Skipped
.back())) {
727 // Now extract the type.
728 StringRef AfterSuffix
;
729 std::tie(CheckTy
, AfterSuffix
) = FindCheckType(Buffer
, Prefix
);
731 // If we've found a valid check type for this prefix, we're done.
732 if (CheckTy
!= Check::CheckNone
)
733 return {Prefix
, AfterSuffix
};
736 // If we didn't successfully find a prefix, we need to skip this invalid
737 // prefix and continue scanning. We directly skip the prefix that was
738 // matched and any additional parts of that check-like word.
739 Buffer
= Buffer
.drop_front(SkipWord(Buffer
, Prefix
.size()));
742 // We ran out of buffer while skipping partial matches so give up.
743 return {StringRef(), StringRef()};
746 /// Read the check file, which specifies the sequence of expected strings.
748 /// The strings are added to the CheckStrings vector. Returns true in case of
749 /// an error, false otherwise.
750 bool llvm::FileCheck::ReadCheckFile(SourceMgr
&SM
, StringRef Buffer
,
752 std::vector
<FileCheckString
> &CheckStrings
) {
753 std::vector
<FileCheckPattern
> ImplicitNegativeChecks
;
754 for (const auto &PatternString
: Req
.ImplicitCheckNot
) {
755 // Create a buffer with fake command line content in order to display the
756 // command line option responsible for the specific implicit CHECK-NOT.
757 std::string Prefix
= "-implicit-check-not='";
758 std::string Suffix
= "'";
759 std::unique_ptr
<MemoryBuffer
> CmdLine
= MemoryBuffer::getMemBufferCopy(
760 Prefix
+ PatternString
+ Suffix
, "command line");
762 StringRef PatternInBuffer
=
763 CmdLine
->getBuffer().substr(Prefix
.size(), PatternString
.size());
764 SM
.AddNewSourceBuffer(std::move(CmdLine
), SMLoc());
766 ImplicitNegativeChecks
.push_back(FileCheckPattern(Check::CheckNot
));
767 ImplicitNegativeChecks
.back().ParsePattern(PatternInBuffer
,
768 "IMPLICIT-CHECK", SM
, 0, Req
);
771 std::vector
<FileCheckPattern
> DagNotMatches
= ImplicitNegativeChecks
;
773 // LineNumber keeps track of the line on which CheckPrefix instances are
775 unsigned LineNumber
= 1;
778 Check::FileCheckType CheckTy
;
780 // See if a prefix occurs in the memory buffer.
781 StringRef UsedPrefix
;
782 StringRef AfterSuffix
;
783 std::tie(UsedPrefix
, AfterSuffix
) =
784 FindFirstMatchingPrefix(PrefixRE
, Buffer
, LineNumber
, CheckTy
);
785 if (UsedPrefix
.empty())
787 assert(UsedPrefix
.data() == Buffer
.data() &&
788 "Failed to move Buffer's start forward, or pointed prefix outside "
790 assert(AfterSuffix
.data() >= Buffer
.data() &&
791 AfterSuffix
.data() < Buffer
.data() + Buffer
.size() &&
792 "Parsing after suffix doesn't start inside of buffer!");
794 // Location to use for error messages.
795 const char *UsedPrefixStart
= UsedPrefix
.data();
797 // Skip the buffer to the end of parsed suffix (or just prefix, if no good
798 // suffix was processed).
799 Buffer
= AfterSuffix
.empty() ? Buffer
.drop_front(UsedPrefix
.size())
802 // Complain about useful-looking but unsupported suffixes.
803 if (CheckTy
== Check::CheckBadNot
) {
804 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.data()), SourceMgr::DK_Error
,
805 "unsupported -NOT combo on prefix '" + UsedPrefix
+ "'");
809 // Complain about invalid count specification.
810 if (CheckTy
== Check::CheckBadCount
) {
811 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.data()), SourceMgr::DK_Error
,
812 "invalid count in -COUNT specification on prefix '" +
817 // Okay, we found the prefix, yay. Remember the rest of the line, but ignore
818 // leading whitespace.
819 if (!(Req
.NoCanonicalizeWhiteSpace
&& Req
.MatchFullLines
))
820 Buffer
= Buffer
.substr(Buffer
.find_first_not_of(" \t"));
822 // Scan ahead to the end of line.
823 size_t EOL
= Buffer
.find_first_of("\n\r");
825 // Remember the location of the start of the pattern, for diagnostics.
826 SMLoc PatternLoc
= SMLoc::getFromPointer(Buffer
.data());
828 // Parse the pattern.
829 FileCheckPattern
P(CheckTy
);
830 if (P
.ParsePattern(Buffer
.substr(0, EOL
), UsedPrefix
, SM
, LineNumber
, Req
))
833 // Verify that CHECK-LABEL lines do not define or use variables
834 if ((CheckTy
== Check::CheckLabel
) && P
.hasVariable()) {
836 SMLoc::getFromPointer(UsedPrefixStart
), SourceMgr::DK_Error
,
837 "found '" + UsedPrefix
+ "-LABEL:'"
838 " with variable definition or use");
842 Buffer
= Buffer
.substr(EOL
);
844 // Verify that CHECK-NEXT/SAME/EMPTY lines have at least one CHECK line before them.
845 if ((CheckTy
== Check::CheckNext
|| CheckTy
== Check::CheckSame
||
846 CheckTy
== Check::CheckEmpty
) &&
847 CheckStrings
.empty()) {
848 StringRef Type
= CheckTy
== Check::CheckNext
850 : CheckTy
== Check::CheckEmpty
? "EMPTY" : "SAME";
851 SM
.PrintMessage(SMLoc::getFromPointer(UsedPrefixStart
),
853 "found '" + UsedPrefix
+ "-" + Type
+
854 "' without previous '" + UsedPrefix
+ ": line");
858 // Handle CHECK-DAG/-NOT.
859 if (CheckTy
== Check::CheckDAG
|| CheckTy
== Check::CheckNot
) {
860 DagNotMatches
.push_back(P
);
864 // Okay, add the string we captured to the output vector and move on.
865 CheckStrings
.emplace_back(P
, UsedPrefix
, PatternLoc
);
866 std::swap(DagNotMatches
, CheckStrings
.back().DagNotStrings
);
867 DagNotMatches
= ImplicitNegativeChecks
;
870 // Add an EOF pattern for any trailing CHECK-DAG/-NOTs, and use the first
871 // prefix as a filler for the error message.
872 if (!DagNotMatches
.empty()) {
873 CheckStrings
.emplace_back(FileCheckPattern(Check::CheckEOF
), *Req
.CheckPrefixes
.begin(),
874 SMLoc::getFromPointer(Buffer
.data()));
875 std::swap(DagNotMatches
, CheckStrings
.back().DagNotStrings
);
878 if (CheckStrings
.empty()) {
879 errs() << "error: no check strings found with prefix"
880 << (Req
.CheckPrefixes
.size() > 1 ? "es " : " ");
881 auto I
= Req
.CheckPrefixes
.begin();
882 auto E
= Req
.CheckPrefixes
.end();
884 errs() << "\'" << *I
<< ":'";
888 errs() << ", \'" << *I
<< ":'";
897 static void PrintMatch(bool ExpectedMatch
, const SourceMgr
&SM
,
898 StringRef Prefix
, SMLoc Loc
, const FileCheckPattern
&Pat
,
899 int MatchedCount
, StringRef Buffer
,
900 StringMap
<StringRef
> &VariableTable
, size_t MatchPos
,
901 size_t MatchLen
, const FileCheckRequest
&Req
,
902 std::vector
<FileCheckDiag
> *Diags
) {
903 bool PrintDiag
= true;
907 if (!Req
.VerboseVerbose
&& Pat
.getCheckTy() == Check::CheckEOF
)
909 // Due to their verbosity, we don't print verbose diagnostics here if we're
910 // gathering them for a different rendering, but we always print other
914 SMRange MatchRange
= ProcessMatchResult(
915 ExpectedMatch
? FileCheckDiag::MatchFoundAndExpected
916 : FileCheckDiag::MatchFoundButExcluded
,
917 SM
, Loc
, Pat
.getCheckTy(), Buffer
, MatchPos
, MatchLen
, Diags
);
921 std::string Message
= formatv("{0}: {1} string found in input",
922 Pat
.getCheckTy().getDescription(Prefix
),
923 (ExpectedMatch
? "expected" : "excluded"))
925 if (Pat
.getCount() > 1)
926 Message
+= formatv(" ({0} out of {1})", MatchedCount
, Pat
.getCount()).str();
929 Loc
, ExpectedMatch
? SourceMgr::DK_Remark
: SourceMgr::DK_Error
, Message
);
930 SM
.PrintMessage(MatchRange
.Start
, SourceMgr::DK_Note
, "found here",
932 Pat
.PrintVariableUses(SM
, Buffer
, VariableTable
, MatchRange
);
935 static void PrintMatch(bool ExpectedMatch
, const SourceMgr
&SM
,
936 const FileCheckString
&CheckStr
, int MatchedCount
,
937 StringRef Buffer
, StringMap
<StringRef
> &VariableTable
,
938 size_t MatchPos
, size_t MatchLen
, FileCheckRequest
&Req
,
939 std::vector
<FileCheckDiag
> *Diags
) {
940 PrintMatch(ExpectedMatch
, SM
, CheckStr
.Prefix
, CheckStr
.Loc
, CheckStr
.Pat
,
941 MatchedCount
, Buffer
, VariableTable
, MatchPos
, MatchLen
, Req
,
945 static void PrintNoMatch(bool ExpectedMatch
, const SourceMgr
&SM
,
946 StringRef Prefix
, SMLoc Loc
,
947 const FileCheckPattern
&Pat
, int MatchedCount
,
948 StringRef Buffer
, StringMap
<StringRef
> &VariableTable
,
950 std::vector
<FileCheckDiag
> *Diags
) {
951 bool PrintDiag
= true;
952 if (!ExpectedMatch
) {
955 // Due to their verbosity, we don't print verbose diagnostics here if we're
956 // gathering them for a different rendering, but we always print other
961 // If the current position is at the end of a line, advance to the start of
963 Buffer
= Buffer
.substr(Buffer
.find_first_not_of(" \t\n\r"));
964 SMRange SearchRange
= ProcessMatchResult(
965 ExpectedMatch
? FileCheckDiag::MatchNoneButExpected
966 : FileCheckDiag::MatchNoneAndExcluded
,
967 SM
, Loc
, Pat
.getCheckTy(), Buffer
, 0, Buffer
.size(), Diags
);
971 // Print "not found" diagnostic.
972 std::string Message
= formatv("{0}: {1} string not found in input",
973 Pat
.getCheckTy().getDescription(Prefix
),
974 (ExpectedMatch
? "expected" : "excluded"))
976 if (Pat
.getCount() > 1)
977 Message
+= formatv(" ({0} out of {1})", MatchedCount
, Pat
.getCount()).str();
979 Loc
, ExpectedMatch
? SourceMgr::DK_Error
: SourceMgr::DK_Remark
, Message
);
981 // Print the "scanning from here" line.
982 SM
.PrintMessage(SearchRange
.Start
, SourceMgr::DK_Note
, "scanning from here");
984 // Allow the pattern to print additional information if desired.
985 Pat
.PrintVariableUses(SM
, Buffer
, VariableTable
);
988 Pat
.PrintFuzzyMatch(SM
, Buffer
, VariableTable
, Diags
);
991 static void PrintNoMatch(bool ExpectedMatch
, const SourceMgr
&SM
,
992 const FileCheckString
&CheckStr
, int MatchedCount
,
993 StringRef Buffer
, StringMap
<StringRef
> &VariableTable
,
995 std::vector
<FileCheckDiag
> *Diags
) {
996 PrintNoMatch(ExpectedMatch
, SM
, CheckStr
.Prefix
, CheckStr
.Loc
, CheckStr
.Pat
,
997 MatchedCount
, Buffer
, VariableTable
, VerboseVerbose
, Diags
);
1000 /// Count the number of newlines in the specified range.
1001 static unsigned CountNumNewlinesBetween(StringRef Range
,
1002 const char *&FirstNewLine
) {
1003 unsigned NumNewLines
= 0;
1005 // Scan for newline.
1006 Range
= Range
.substr(Range
.find_first_of("\n\r"));
1012 // Handle \n\r and \r\n as a single newline.
1013 if (Range
.size() > 1 && (Range
[1] == '\n' || Range
[1] == '\r') &&
1014 (Range
[0] != Range
[1]))
1015 Range
= Range
.substr(1);
1016 Range
= Range
.substr(1);
1018 if (NumNewLines
== 1)
1019 FirstNewLine
= Range
.begin();
1023 /// Match check string and its "not strings" and/or "dag strings".
1024 size_t FileCheckString::Check(const SourceMgr
&SM
, StringRef Buffer
,
1025 bool IsLabelScanMode
, size_t &MatchLen
,
1026 StringMap
<StringRef
> &VariableTable
,
1027 FileCheckRequest
&Req
,
1028 std::vector
<FileCheckDiag
> *Diags
) const {
1030 std::vector
<const FileCheckPattern
*> NotStrings
;
1032 // IsLabelScanMode is true when we are scanning forward to find CHECK-LABEL
1033 // bounds; we have not processed variable definitions within the bounded block
1034 // yet so cannot handle any final CHECK-DAG yet; this is handled when going
1035 // over the block again (including the last CHECK-LABEL) in normal mode.
1036 if (!IsLabelScanMode
) {
1037 // Match "dag strings" (with mixed "not strings" if any).
1038 LastPos
= CheckDag(SM
, Buffer
, NotStrings
, VariableTable
, Req
, Diags
);
1039 if (LastPos
== StringRef::npos
)
1040 return StringRef::npos
;
1043 // Match itself from the last position after matching CHECK-DAG.
1044 size_t LastMatchEnd
= LastPos
;
1045 size_t FirstMatchPos
= 0;
1046 // Go match the pattern Count times. Majority of patterns only match with
1048 assert(Pat
.getCount() != 0 && "pattern count can not be zero");
1049 for (int i
= 1; i
<= Pat
.getCount(); i
++) {
1050 StringRef MatchBuffer
= Buffer
.substr(LastMatchEnd
);
1051 size_t CurrentMatchLen
;
1052 // get a match at current start point
1053 size_t MatchPos
= Pat
.Match(MatchBuffer
, CurrentMatchLen
, VariableTable
);
1055 FirstMatchPos
= LastPos
+ MatchPos
;
1058 if (MatchPos
== StringRef::npos
) {
1059 PrintNoMatch(true, SM
, *this, i
, MatchBuffer
, VariableTable
,
1060 Req
.VerboseVerbose
, Diags
);
1061 return StringRef::npos
;
1063 PrintMatch(true, SM
, *this, i
, MatchBuffer
, VariableTable
, MatchPos
,
1064 CurrentMatchLen
, Req
, Diags
);
1066 // move start point after the match
1067 LastMatchEnd
+= MatchPos
+ CurrentMatchLen
;
1069 // Full match len counts from first match pos.
1070 MatchLen
= LastMatchEnd
- FirstMatchPos
;
1072 // Similar to the above, in "label-scan mode" we can't yet handle CHECK-NEXT
1074 if (!IsLabelScanMode
) {
1075 size_t MatchPos
= FirstMatchPos
- LastPos
;
1076 StringRef MatchBuffer
= Buffer
.substr(LastPos
);
1077 StringRef SkippedRegion
= Buffer
.substr(LastPos
, MatchPos
);
1079 // If this check is a "CHECK-NEXT", verify that the previous match was on
1080 // the previous line (i.e. that there is one newline between them).
1081 if (CheckNext(SM
, SkippedRegion
)) {
1082 ProcessMatchResult(FileCheckDiag::MatchFoundButWrongLine
, SM
, Loc
,
1083 Pat
.getCheckTy(), MatchBuffer
, MatchPos
, MatchLen
,
1084 Diags
, Req
.Verbose
);
1085 return StringRef::npos
;
1088 // If this check is a "CHECK-SAME", verify that the previous match was on
1089 // the same line (i.e. that there is no newline between them).
1090 if (CheckSame(SM
, SkippedRegion
)) {
1091 ProcessMatchResult(FileCheckDiag::MatchFoundButWrongLine
, SM
, Loc
,
1092 Pat
.getCheckTy(), MatchBuffer
, MatchPos
, MatchLen
,
1093 Diags
, Req
.Verbose
);
1094 return StringRef::npos
;
1097 // If this match had "not strings", verify that they don't exist in the
1099 if (CheckNot(SM
, SkippedRegion
, NotStrings
, VariableTable
, Req
, Diags
))
1100 return StringRef::npos
;
1103 return FirstMatchPos
;
1106 /// Verify there is a single line in the given buffer.
1107 bool FileCheckString::CheckNext(const SourceMgr
&SM
, StringRef Buffer
) const {
1108 if (Pat
.getCheckTy() != Check::CheckNext
&&
1109 Pat
.getCheckTy() != Check::CheckEmpty
)
1114 Twine(Pat
.getCheckTy() == Check::CheckEmpty
? "-EMPTY" : "-NEXT");
1116 // Count the number of newlines between the previous match and this one.
1117 assert(Buffer
.data() !=
1118 SM
.getMemoryBuffer(SM
.FindBufferContainingLoc(
1119 SMLoc::getFromPointer(Buffer
.data())))
1120 ->getBufferStart() &&
1121 "CHECK-NEXT and CHECK-EMPTY can't be the first check in a file");
1123 const char *FirstNewLine
= nullptr;
1124 unsigned NumNewLines
= CountNumNewlinesBetween(Buffer
, FirstNewLine
);
1126 if (NumNewLines
== 0) {
1127 SM
.PrintMessage(Loc
, SourceMgr::DK_Error
,
1128 CheckName
+ ": is on the same line as previous match");
1129 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.end()), SourceMgr::DK_Note
,
1130 "'next' match was here");
1131 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.data()), SourceMgr::DK_Note
,
1132 "previous match ended here");
1136 if (NumNewLines
!= 1) {
1137 SM
.PrintMessage(Loc
, SourceMgr::DK_Error
,
1139 ": is not on the line after the previous match");
1140 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.end()), SourceMgr::DK_Note
,
1141 "'next' match was here");
1142 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.data()), SourceMgr::DK_Note
,
1143 "previous match ended here");
1144 SM
.PrintMessage(SMLoc::getFromPointer(FirstNewLine
), SourceMgr::DK_Note
,
1145 "non-matching line after previous match is here");
1152 /// Verify there is no newline in the given buffer.
1153 bool FileCheckString::CheckSame(const SourceMgr
&SM
, StringRef Buffer
) const {
1154 if (Pat
.getCheckTy() != Check::CheckSame
)
1157 // Count the number of newlines between the previous match and this one.
1158 assert(Buffer
.data() !=
1159 SM
.getMemoryBuffer(SM
.FindBufferContainingLoc(
1160 SMLoc::getFromPointer(Buffer
.data())))
1161 ->getBufferStart() &&
1162 "CHECK-SAME can't be the first check in a file");
1164 const char *FirstNewLine
= nullptr;
1165 unsigned NumNewLines
= CountNumNewlinesBetween(Buffer
, FirstNewLine
);
1167 if (NumNewLines
!= 0) {
1168 SM
.PrintMessage(Loc
, SourceMgr::DK_Error
,
1170 "-SAME: is not on the same line as the previous match");
1171 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.end()), SourceMgr::DK_Note
,
1172 "'next' match was here");
1173 SM
.PrintMessage(SMLoc::getFromPointer(Buffer
.data()), SourceMgr::DK_Note
,
1174 "previous match ended here");
1181 /// Verify there's no "not strings" in the given buffer.
1182 bool FileCheckString::CheckNot(
1183 const SourceMgr
&SM
, StringRef Buffer
,
1184 const std::vector
<const FileCheckPattern
*> &NotStrings
,
1185 StringMap
<StringRef
> &VariableTable
, const FileCheckRequest
&Req
,
1186 std::vector
<FileCheckDiag
> *Diags
) const {
1187 for (const FileCheckPattern
*Pat
: NotStrings
) {
1188 assert((Pat
->getCheckTy() == Check::CheckNot
) && "Expect CHECK-NOT!");
1190 size_t MatchLen
= 0;
1191 size_t Pos
= Pat
->Match(Buffer
, MatchLen
, VariableTable
);
1193 if (Pos
== StringRef::npos
) {
1194 PrintNoMatch(false, SM
, Prefix
, Pat
->getLoc(), *Pat
, 1, Buffer
,
1195 VariableTable
, Req
.VerboseVerbose
, Diags
);
1199 PrintMatch(false, SM
, Prefix
, Pat
->getLoc(), *Pat
, 1, Buffer
, VariableTable
,
1200 Pos
, MatchLen
, Req
, Diags
);
1208 /// Match "dag strings" and their mixed "not strings".
1210 FileCheckString::CheckDag(const SourceMgr
&SM
, StringRef Buffer
,
1211 std::vector
<const FileCheckPattern
*> &NotStrings
,
1212 StringMap
<StringRef
> &VariableTable
,
1213 const FileCheckRequest
&Req
,
1214 std::vector
<FileCheckDiag
> *Diags
) const {
1215 if (DagNotStrings
.empty())
1218 // The start of the search range.
1219 size_t StartPos
= 0;
1225 // A sorted list of ranges for non-overlapping CHECK-DAG matches. Match
1226 // ranges are erased from this list once they are no longer in the search
1228 std::list
<MatchRange
> MatchRanges
;
1230 // We need PatItr and PatEnd later for detecting the end of a CHECK-DAG
1231 // group, so we don't use a range-based for loop here.
1232 for (auto PatItr
= DagNotStrings
.begin(), PatEnd
= DagNotStrings
.end();
1233 PatItr
!= PatEnd
; ++PatItr
) {
1234 const FileCheckPattern
&Pat
= *PatItr
;
1235 assert((Pat
.getCheckTy() == Check::CheckDAG
||
1236 Pat
.getCheckTy() == Check::CheckNot
) &&
1237 "Invalid CHECK-DAG or CHECK-NOT!");
1239 if (Pat
.getCheckTy() == Check::CheckNot
) {
1240 NotStrings
.push_back(&Pat
);
1244 assert((Pat
.getCheckTy() == Check::CheckDAG
) && "Expect CHECK-DAG!");
1246 // CHECK-DAG always matches from the start.
1247 size_t MatchLen
= 0, MatchPos
= StartPos
;
1249 // Search for a match that doesn't overlap a previous match in this
1251 for (auto MI
= MatchRanges
.begin(), ME
= MatchRanges
.end(); true; ++MI
) {
1252 StringRef MatchBuffer
= Buffer
.substr(MatchPos
);
1253 size_t MatchPosBuf
= Pat
.Match(MatchBuffer
, MatchLen
, VariableTable
);
1254 // With a group of CHECK-DAGs, a single mismatching means the match on
1255 // that group of CHECK-DAGs fails immediately.
1256 if (MatchPosBuf
== StringRef::npos
) {
1257 PrintNoMatch(true, SM
, Prefix
, Pat
.getLoc(), Pat
, 1, MatchBuffer
,
1258 VariableTable
, Req
.VerboseVerbose
, Diags
);
1259 return StringRef::npos
;
1261 // Re-calc it as the offset relative to the start of the original string.
1262 MatchPos
+= MatchPosBuf
;
1263 if (Req
.VerboseVerbose
)
1264 PrintMatch(true, SM
, Prefix
, Pat
.getLoc(), Pat
, 1, Buffer
,
1265 VariableTable
, MatchPos
, MatchLen
, Req
, Diags
);
1266 MatchRange M
{MatchPos
, MatchPos
+ MatchLen
};
1267 if (Req
.AllowDeprecatedDagOverlap
) {
1268 // We don't need to track all matches in this mode, so we just maintain
1269 // one match range that encompasses the current CHECK-DAG group's
1271 if (MatchRanges
.empty())
1272 MatchRanges
.insert(MatchRanges
.end(), M
);
1274 auto Block
= MatchRanges
.begin();
1275 Block
->Pos
= std::min(Block
->Pos
, M
.Pos
);
1276 Block
->End
= std::max(Block
->End
, M
.End
);
1280 // Iterate previous matches until overlapping match or insertion point.
1281 bool Overlap
= false;
1282 for (; MI
!= ME
; ++MI
) {
1283 if (M
.Pos
< MI
->End
) {
1284 // !Overlap => New match has no overlap and is before this old match.
1285 // Overlap => New match overlaps this old match.
1286 Overlap
= MI
->Pos
< M
.End
;
1291 // Insert non-overlapping match into list.
1292 MatchRanges
.insert(MI
, M
);
1295 if (Req
.VerboseVerbose
) {
1296 // Due to their verbosity, we don't print verbose diagnostics here if
1297 // we're gathering them for a different rendering, but we always print
1298 // other diagnostics.
1300 SMLoc OldStart
= SMLoc::getFromPointer(Buffer
.data() + MI
->Pos
);
1301 SMLoc OldEnd
= SMLoc::getFromPointer(Buffer
.data() + MI
->End
);
1302 SMRange
OldRange(OldStart
, OldEnd
);
1303 SM
.PrintMessage(OldStart
, SourceMgr::DK_Note
,
1304 "match discarded, overlaps earlier DAG match here",
1307 Diags
->rbegin()->MatchTy
= FileCheckDiag::MatchFoundButDiscarded
;
1311 if (!Req
.VerboseVerbose
)
1312 PrintMatch(true, SM
, Prefix
, Pat
.getLoc(), Pat
, 1, Buffer
, VariableTable
,
1313 MatchPos
, MatchLen
, Req
, Diags
);
1315 // Handle the end of a CHECK-DAG group.
1316 if (std::next(PatItr
) == PatEnd
||
1317 std::next(PatItr
)->getCheckTy() == Check::CheckNot
) {
1318 if (!NotStrings
.empty()) {
1319 // If there are CHECK-NOTs between two CHECK-DAGs or from CHECK to
1320 // CHECK-DAG, verify that there are no 'not' strings occurred in that
1322 StringRef SkippedRegion
=
1323 Buffer
.slice(StartPos
, MatchRanges
.begin()->Pos
);
1324 if (CheckNot(SM
, SkippedRegion
, NotStrings
, VariableTable
, Req
, Diags
))
1325 return StringRef::npos
;
1326 // Clear "not strings".
1329 // All subsequent CHECK-DAGs and CHECK-NOTs should be matched from the
1330 // end of this CHECK-DAG group's match range.
1331 StartPos
= MatchRanges
.rbegin()->End
;
1332 // Don't waste time checking for (impossible) overlaps before that.
1333 MatchRanges
.clear();
1340 // A check prefix must contain only alphanumeric, hyphens and underscores.
1341 static bool ValidateCheckPrefix(StringRef CheckPrefix
) {
1342 Regex
Validator("^[a-zA-Z0-9_-]*$");
1343 return Validator
.match(CheckPrefix
);
1346 bool llvm::FileCheck::ValidateCheckPrefixes() {
1347 StringSet
<> PrefixSet
;
1349 for (StringRef Prefix
: Req
.CheckPrefixes
) {
1350 // Reject empty prefixes.
1354 if (!PrefixSet
.insert(Prefix
).second
)
1357 if (!ValidateCheckPrefix(Prefix
))
1364 // Combines the check prefixes into a single regex so that we can efficiently
1365 // scan for any of the set.
1367 // The semantics are that the longest-match wins which matches our regex
1369 Regex
llvm::FileCheck::buildCheckPrefixRegex() {
1370 // I don't think there's a way to specify an initial value for cl::list,
1371 // so if nothing was specified, add the default
1372 if (Req
.CheckPrefixes
.empty())
1373 Req
.CheckPrefixes
.push_back("CHECK");
1375 // We already validated the contents of CheckPrefixes so just concatenate
1376 // them as alternatives.
1377 SmallString
<32> PrefixRegexStr
;
1378 for (StringRef Prefix
: Req
.CheckPrefixes
) {
1379 if (Prefix
!= Req
.CheckPrefixes
.front())
1380 PrefixRegexStr
.push_back('|');
1382 PrefixRegexStr
.append(Prefix
);
1385 return Regex(PrefixRegexStr
);
1388 // Remove local variables from \p VariableTable. Global variables
1389 // (start with '$') are preserved.
1390 static void ClearLocalVars(StringMap
<StringRef
> &VariableTable
) {
1391 SmallVector
<StringRef
, 16> LocalVars
;
1392 for (const auto &Var
: VariableTable
)
1393 if (Var
.first()[0] != '$')
1394 LocalVars
.push_back(Var
.first());
1396 for (const auto &Var
: LocalVars
)
1397 VariableTable
.erase(Var
);
1400 /// Check the input to FileCheck provided in the \p Buffer against the \p
1401 /// CheckStrings read from the check file.
1403 /// Returns false if the input fails to satisfy the checks.
1404 bool llvm::FileCheck::CheckInput(SourceMgr
&SM
, StringRef Buffer
,
1405 ArrayRef
<FileCheckString
> CheckStrings
,
1406 std::vector
<FileCheckDiag
> *Diags
) {
1407 bool ChecksFailed
= false;
1409 /// VariableTable - This holds all the current filecheck variables.
1410 StringMap
<StringRef
> VariableTable
;
1412 for (const auto& Def
: Req
.GlobalDefines
)
1413 VariableTable
.insert(StringRef(Def
).split('='));
1415 unsigned i
= 0, j
= 0, e
= CheckStrings
.size();
1417 StringRef CheckRegion
;
1419 CheckRegion
= Buffer
;
1421 const FileCheckString
&CheckLabelStr
= CheckStrings
[j
];
1422 if (CheckLabelStr
.Pat
.getCheckTy() != Check::CheckLabel
) {
1427 // Scan to next CHECK-LABEL match, ignoring CHECK-NOT and CHECK-DAG
1428 size_t MatchLabelLen
= 0;
1429 size_t MatchLabelPos
= CheckLabelStr
.Check(
1430 SM
, Buffer
, true, MatchLabelLen
, VariableTable
, Req
, Diags
);
1431 if (MatchLabelPos
== StringRef::npos
)
1432 // Immediately bail of CHECK-LABEL fails, nothing else we can do.
1435 CheckRegion
= Buffer
.substr(0, MatchLabelPos
+ MatchLabelLen
);
1436 Buffer
= Buffer
.substr(MatchLabelPos
+ MatchLabelLen
);
1440 if (Req
.EnableVarScope
)
1441 ClearLocalVars(VariableTable
);
1443 for (; i
!= j
; ++i
) {
1444 const FileCheckString
&CheckStr
= CheckStrings
[i
];
1446 // Check each string within the scanned region, including a second check
1447 // of any final CHECK-LABEL (to verify CHECK-NOT and CHECK-DAG)
1448 size_t MatchLen
= 0;
1449 size_t MatchPos
= CheckStr
.Check(SM
, CheckRegion
, false, MatchLen
,
1450 VariableTable
, Req
, Diags
);
1452 if (MatchPos
== StringRef::npos
) {
1453 ChecksFailed
= true;
1458 CheckRegion
= CheckRegion
.substr(MatchPos
+ MatchLen
);
1465 // Success if no checks failed.
1466 return !ChecksFailed
;