[Alignment][NFC] Use Align with TargetLowering::setMinFunctionAlignment
[llvm-core.git] / include / llvm / ProfileData / Coverage / CoverageMapping.h
blob7284a67ba4a059962582318829f3791fc7286a97
1 //===- CoverageMapping.h - Code coverage mapping support --------*- C++ -*-===//
2 //
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
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 // Code coverage mapping data is generated by clang and read by
10 // llvm-cov to show code coverage statistics for a file.
12 //===----------------------------------------------------------------------===//
14 #ifndef LLVM_PROFILEDATA_COVERAGE_COVERAGEMAPPING_H
15 #define LLVM_PROFILEDATA_COVERAGE_COVERAGEMAPPING_H
17 #include "llvm/ADT/ArrayRef.h"
18 #include "llvm/ADT/DenseMap.h"
19 #include "llvm/ADT/DenseSet.h"
20 #include "llvm/ADT/Hashing.h"
21 #include "llvm/ADT/None.h"
22 #include "llvm/ADT/StringRef.h"
23 #include "llvm/ADT/StringSet.h"
24 #include "llvm/ADT/iterator.h"
25 #include "llvm/ADT/iterator_range.h"
26 #include "llvm/ProfileData/InstrProf.h"
27 #include "llvm/Support/Compiler.h"
28 #include "llvm/Support/Debug.h"
29 #include "llvm/Support/Endian.h"
30 #include "llvm/Support/Error.h"
31 #include "llvm/Support/raw_ostream.h"
32 #include <cassert>
33 #include <cstdint>
34 #include <iterator>
35 #include <memory>
36 #include <string>
37 #include <system_error>
38 #include <tuple>
39 #include <utility>
40 #include <vector>
42 namespace llvm {
44 class IndexedInstrProfReader;
46 namespace coverage {
48 class CoverageMappingReader;
49 struct CoverageMappingRecord;
51 enum class coveragemap_error {
52 success = 0,
53 eof,
54 no_data_found,
55 unsupported_version,
56 truncated,
57 malformed
60 const std::error_category &coveragemap_category();
62 inline std::error_code make_error_code(coveragemap_error E) {
63 return std::error_code(static_cast<int>(E), coveragemap_category());
66 class CoverageMapError : public ErrorInfo<CoverageMapError> {
67 public:
68 CoverageMapError(coveragemap_error Err) : Err(Err) {
69 assert(Err != coveragemap_error::success && "Not an error");
72 std::string message() const override;
74 void log(raw_ostream &OS) const override { OS << message(); }
76 std::error_code convertToErrorCode() const override {
77 return make_error_code(Err);
80 coveragemap_error get() const { return Err; }
82 static char ID;
84 private:
85 coveragemap_error Err;
88 /// A Counter is an abstract value that describes how to compute the
89 /// execution count for a region of code using the collected profile count data.
90 struct Counter {
91 enum CounterKind { Zero, CounterValueReference, Expression };
92 static const unsigned EncodingTagBits = 2;
93 static const unsigned EncodingTagMask = 0x3;
94 static const unsigned EncodingCounterTagAndExpansionRegionTagBits =
95 EncodingTagBits + 1;
97 private:
98 CounterKind Kind = Zero;
99 unsigned ID = 0;
101 Counter(CounterKind Kind, unsigned ID) : Kind(Kind), ID(ID) {}
103 public:
104 Counter() = default;
106 CounterKind getKind() const { return Kind; }
108 bool isZero() const { return Kind == Zero; }
110 bool isExpression() const { return Kind == Expression; }
112 unsigned getCounterID() const { return ID; }
114 unsigned getExpressionID() const { return ID; }
116 friend bool operator==(const Counter &LHS, const Counter &RHS) {
117 return LHS.Kind == RHS.Kind && LHS.ID == RHS.ID;
120 friend bool operator!=(const Counter &LHS, const Counter &RHS) {
121 return !(LHS == RHS);
124 friend bool operator<(const Counter &LHS, const Counter &RHS) {
125 return std::tie(LHS.Kind, LHS.ID) < std::tie(RHS.Kind, RHS.ID);
128 /// Return the counter that represents the number zero.
129 static Counter getZero() { return Counter(); }
131 /// Return the counter that corresponds to a specific profile counter.
132 static Counter getCounter(unsigned CounterId) {
133 return Counter(CounterValueReference, CounterId);
136 /// Return the counter that corresponds to a specific addition counter
137 /// expression.
138 static Counter getExpression(unsigned ExpressionId) {
139 return Counter(Expression, ExpressionId);
143 /// A Counter expression is a value that represents an arithmetic operation
144 /// with two counters.
145 struct CounterExpression {
146 enum ExprKind { Subtract, Add };
147 ExprKind Kind;
148 Counter LHS, RHS;
150 CounterExpression(ExprKind Kind, Counter LHS, Counter RHS)
151 : Kind(Kind), LHS(LHS), RHS(RHS) {}
154 /// A Counter expression builder is used to construct the counter expressions.
155 /// It avoids unnecessary duplication and simplifies algebraic expressions.
156 class CounterExpressionBuilder {
157 /// A list of all the counter expressions
158 std::vector<CounterExpression> Expressions;
160 /// A lookup table for the index of a given expression.
161 DenseMap<CounterExpression, unsigned> ExpressionIndices;
163 /// Return the counter which corresponds to the given expression.
165 /// If the given expression is already stored in the builder, a counter
166 /// that references that expression is returned. Otherwise, the given
167 /// expression is added to the builder's collection of expressions.
168 Counter get(const CounterExpression &E);
170 /// Represents a term in a counter expression tree.
171 struct Term {
172 unsigned CounterID;
173 int Factor;
175 Term(unsigned CounterID, int Factor)
176 : CounterID(CounterID), Factor(Factor) {}
179 /// Gather the terms of the expression tree for processing.
181 /// This collects each addition and subtraction referenced by the counter into
182 /// a sequence that can be sorted and combined to build a simplified counter
183 /// expression.
184 void extractTerms(Counter C, int Sign, SmallVectorImpl<Term> &Terms);
186 /// Simplifies the given expression tree
187 /// by getting rid of algebraically redundant operations.
188 Counter simplify(Counter ExpressionTree);
190 public:
191 ArrayRef<CounterExpression> getExpressions() const { return Expressions; }
193 /// Return a counter that represents the expression that adds LHS and RHS.
194 Counter add(Counter LHS, Counter RHS);
196 /// Return a counter that represents the expression that subtracts RHS from
197 /// LHS.
198 Counter subtract(Counter LHS, Counter RHS);
201 using LineColPair = std::pair<unsigned, unsigned>;
203 /// A Counter mapping region associates a source range with a specific counter.
204 struct CounterMappingRegion {
205 enum RegionKind {
206 /// A CodeRegion associates some code with a counter
207 CodeRegion,
209 /// An ExpansionRegion represents a file expansion region that associates
210 /// a source range with the expansion of a virtual source file, such as
211 /// for a macro instantiation or #include file.
212 ExpansionRegion,
214 /// A SkippedRegion represents a source range with code that was skipped
215 /// by a preprocessor or similar means.
216 SkippedRegion,
218 /// A GapRegion is like a CodeRegion, but its count is only set as the
219 /// line execution count when its the only region in the line.
220 GapRegion
223 Counter Count;
224 unsigned FileID, ExpandedFileID;
225 unsigned LineStart, ColumnStart, LineEnd, ColumnEnd;
226 RegionKind Kind;
228 CounterMappingRegion(Counter Count, unsigned FileID, unsigned ExpandedFileID,
229 unsigned LineStart, unsigned ColumnStart,
230 unsigned LineEnd, unsigned ColumnEnd, RegionKind Kind)
231 : Count(Count), FileID(FileID), ExpandedFileID(ExpandedFileID),
232 LineStart(LineStart), ColumnStart(ColumnStart), LineEnd(LineEnd),
233 ColumnEnd(ColumnEnd), Kind(Kind) {}
235 static CounterMappingRegion
236 makeRegion(Counter Count, unsigned FileID, unsigned LineStart,
237 unsigned ColumnStart, unsigned LineEnd, unsigned ColumnEnd) {
238 return CounterMappingRegion(Count, FileID, 0, LineStart, ColumnStart,
239 LineEnd, ColumnEnd, CodeRegion);
242 static CounterMappingRegion
243 makeExpansion(unsigned FileID, unsigned ExpandedFileID, unsigned LineStart,
244 unsigned ColumnStart, unsigned LineEnd, unsigned ColumnEnd) {
245 return CounterMappingRegion(Counter(), FileID, ExpandedFileID, LineStart,
246 ColumnStart, LineEnd, ColumnEnd,
247 ExpansionRegion);
250 static CounterMappingRegion
251 makeSkipped(unsigned FileID, unsigned LineStart, unsigned ColumnStart,
252 unsigned LineEnd, unsigned ColumnEnd) {
253 return CounterMappingRegion(Counter(), FileID, 0, LineStart, ColumnStart,
254 LineEnd, ColumnEnd, SkippedRegion);
257 static CounterMappingRegion
258 makeGapRegion(Counter Count, unsigned FileID, unsigned LineStart,
259 unsigned ColumnStart, unsigned LineEnd, unsigned ColumnEnd) {
260 return CounterMappingRegion(Count, FileID, 0, LineStart, ColumnStart,
261 LineEnd, (1U << 31) | ColumnEnd, GapRegion);
264 inline LineColPair startLoc() const {
265 return LineColPair(LineStart, ColumnStart);
268 inline LineColPair endLoc() const { return LineColPair(LineEnd, ColumnEnd); }
271 /// Associates a source range with an execution count.
272 struct CountedRegion : public CounterMappingRegion {
273 uint64_t ExecutionCount;
275 CountedRegion(const CounterMappingRegion &R, uint64_t ExecutionCount)
276 : CounterMappingRegion(R), ExecutionCount(ExecutionCount) {}
279 /// A Counter mapping context is used to connect the counters, expressions
280 /// and the obtained counter values.
281 class CounterMappingContext {
282 ArrayRef<CounterExpression> Expressions;
283 ArrayRef<uint64_t> CounterValues;
285 public:
286 CounterMappingContext(ArrayRef<CounterExpression> Expressions,
287 ArrayRef<uint64_t> CounterValues = None)
288 : Expressions(Expressions), CounterValues(CounterValues) {}
290 void setCounts(ArrayRef<uint64_t> Counts) { CounterValues = Counts; }
292 void dump(const Counter &C, raw_ostream &OS) const;
293 void dump(const Counter &C) const { dump(C, dbgs()); }
295 /// Return the number of times that a region of code associated with this
296 /// counter was executed.
297 Expected<int64_t> evaluate(const Counter &C) const;
300 /// Code coverage information for a single function.
301 struct FunctionRecord {
302 /// Raw function name.
303 std::string Name;
304 /// Associated files.
305 std::vector<std::string> Filenames;
306 /// Regions in the function along with their counts.
307 std::vector<CountedRegion> CountedRegions;
308 /// The number of times this function was executed.
309 uint64_t ExecutionCount;
311 FunctionRecord(StringRef Name, ArrayRef<StringRef> Filenames)
312 : Name(Name), Filenames(Filenames.begin(), Filenames.end()) {}
314 FunctionRecord(FunctionRecord &&FR) = default;
315 FunctionRecord &operator=(FunctionRecord &&) = default;
317 void pushRegion(CounterMappingRegion Region, uint64_t Count) {
318 if (CountedRegions.empty())
319 ExecutionCount = Count;
320 CountedRegions.emplace_back(Region, Count);
324 /// Iterator over Functions, optionally filtered to a single file.
325 class FunctionRecordIterator
326 : public iterator_facade_base<FunctionRecordIterator,
327 std::forward_iterator_tag, FunctionRecord> {
328 ArrayRef<FunctionRecord> Records;
329 ArrayRef<FunctionRecord>::iterator Current;
330 StringRef Filename;
332 /// Skip records whose primary file is not \c Filename.
333 void skipOtherFiles();
335 public:
336 FunctionRecordIterator(ArrayRef<FunctionRecord> Records_,
337 StringRef Filename = "")
338 : Records(Records_), Current(Records.begin()), Filename(Filename) {
339 skipOtherFiles();
342 FunctionRecordIterator() : Current(Records.begin()) {}
344 bool operator==(const FunctionRecordIterator &RHS) const {
345 return Current == RHS.Current && Filename == RHS.Filename;
348 const FunctionRecord &operator*() const { return *Current; }
350 FunctionRecordIterator &operator++() {
351 assert(Current != Records.end() && "incremented past end");
352 ++Current;
353 skipOtherFiles();
354 return *this;
358 /// Coverage information for a macro expansion or #included file.
360 /// When covered code has pieces that can be expanded for more detail, such as a
361 /// preprocessor macro use and its definition, these are represented as
362 /// expansions whose coverage can be looked up independently.
363 struct ExpansionRecord {
364 /// The abstract file this expansion covers.
365 unsigned FileID;
366 /// The region that expands to this record.
367 const CountedRegion &Region;
368 /// Coverage for the expansion.
369 const FunctionRecord &Function;
371 ExpansionRecord(const CountedRegion &Region,
372 const FunctionRecord &Function)
373 : FileID(Region.ExpandedFileID), Region(Region), Function(Function) {}
376 /// The execution count information starting at a point in a file.
378 /// A sequence of CoverageSegments gives execution counts for a file in format
379 /// that's simple to iterate through for processing.
380 struct CoverageSegment {
381 /// The line where this segment begins.
382 unsigned Line;
383 /// The column where this segment begins.
384 unsigned Col;
385 /// The execution count, or zero if no count was recorded.
386 uint64_t Count;
387 /// When false, the segment was uninstrumented or skipped.
388 bool HasCount;
389 /// Whether this enters a new region or returns to a previous count.
390 bool IsRegionEntry;
391 /// Whether this enters a gap region.
392 bool IsGapRegion;
394 CoverageSegment(unsigned Line, unsigned Col, bool IsRegionEntry)
395 : Line(Line), Col(Col), Count(0), HasCount(false),
396 IsRegionEntry(IsRegionEntry), IsGapRegion(false) {}
398 CoverageSegment(unsigned Line, unsigned Col, uint64_t Count,
399 bool IsRegionEntry, bool IsGapRegion = false)
400 : Line(Line), Col(Col), Count(Count), HasCount(true),
401 IsRegionEntry(IsRegionEntry), IsGapRegion(IsGapRegion) {}
403 friend bool operator==(const CoverageSegment &L, const CoverageSegment &R) {
404 return std::tie(L.Line, L.Col, L.Count, L.HasCount, L.IsRegionEntry,
405 L.IsGapRegion) == std::tie(R.Line, R.Col, R.Count,
406 R.HasCount, R.IsRegionEntry,
407 R.IsGapRegion);
411 /// An instantiation group contains a \c FunctionRecord list, such that each
412 /// record corresponds to a distinct instantiation of the same function.
414 /// Note that it's possible for a function to have more than one instantiation
415 /// (consider C++ template specializations or static inline functions).
416 class InstantiationGroup {
417 friend class CoverageMapping;
419 unsigned Line;
420 unsigned Col;
421 std::vector<const FunctionRecord *> Instantiations;
423 InstantiationGroup(unsigned Line, unsigned Col,
424 std::vector<const FunctionRecord *> Instantiations)
425 : Line(Line), Col(Col), Instantiations(std::move(Instantiations)) {}
427 public:
428 InstantiationGroup(const InstantiationGroup &) = delete;
429 InstantiationGroup(InstantiationGroup &&) = default;
431 /// Get the number of instantiations in this group.
432 size_t size() const { return Instantiations.size(); }
434 /// Get the line where the common function was defined.
435 unsigned getLine() const { return Line; }
437 /// Get the column where the common function was defined.
438 unsigned getColumn() const { return Col; }
440 /// Check if the instantiations in this group have a common mangled name.
441 bool hasName() const {
442 for (unsigned I = 1, E = Instantiations.size(); I < E; ++I)
443 if (Instantiations[I]->Name != Instantiations[0]->Name)
444 return false;
445 return true;
448 /// Get the common mangled name for instantiations in this group.
449 StringRef getName() const {
450 assert(hasName() && "Instantiations don't have a shared name");
451 return Instantiations[0]->Name;
454 /// Get the total execution count of all instantiations in this group.
455 uint64_t getTotalExecutionCount() const {
456 uint64_t Count = 0;
457 for (const FunctionRecord *F : Instantiations)
458 Count += F->ExecutionCount;
459 return Count;
462 /// Get the instantiations in this group.
463 ArrayRef<const FunctionRecord *> getInstantiations() const {
464 return Instantiations;
468 /// Coverage information to be processed or displayed.
470 /// This represents the coverage of an entire file, expansion, or function. It
471 /// provides a sequence of CoverageSegments to iterate through, as well as the
472 /// list of expansions that can be further processed.
473 class CoverageData {
474 friend class CoverageMapping;
476 std::string Filename;
477 std::vector<CoverageSegment> Segments;
478 std::vector<ExpansionRecord> Expansions;
480 public:
481 CoverageData() = default;
483 CoverageData(StringRef Filename) : Filename(Filename) {}
485 /// Get the name of the file this data covers.
486 StringRef getFilename() const { return Filename; }
488 /// Get an iterator over the coverage segments for this object. The segments
489 /// are guaranteed to be uniqued and sorted by location.
490 std::vector<CoverageSegment>::const_iterator begin() const {
491 return Segments.begin();
494 std::vector<CoverageSegment>::const_iterator end() const {
495 return Segments.end();
498 bool empty() const { return Segments.empty(); }
500 /// Expansions that can be further processed.
501 ArrayRef<ExpansionRecord> getExpansions() const { return Expansions; }
504 /// The mapping of profile information to coverage data.
506 /// This is the main interface to get coverage information, using a profile to
507 /// fill out execution counts.
508 class CoverageMapping {
509 DenseMap<size_t, DenseSet<size_t>> RecordProvenance;
510 std::vector<FunctionRecord> Functions;
511 std::vector<std::pair<std::string, uint64_t>> FuncHashMismatches;
513 CoverageMapping() = default;
515 /// Add a function record corresponding to \p Record.
516 Error loadFunctionRecord(const CoverageMappingRecord &Record,
517 IndexedInstrProfReader &ProfileReader);
519 public:
520 CoverageMapping(const CoverageMapping &) = delete;
521 CoverageMapping &operator=(const CoverageMapping &) = delete;
523 /// Load the coverage mapping using the given readers.
524 static Expected<std::unique_ptr<CoverageMapping>>
525 load(ArrayRef<std::unique_ptr<CoverageMappingReader>> CoverageReaders,
526 IndexedInstrProfReader &ProfileReader);
528 /// Load the coverage mapping from the given object files and profile. If
529 /// \p Arches is non-empty, it must specify an architecture for each object.
530 /// Ignores non-instrumented object files unless all are not instrumented.
531 static Expected<std::unique_ptr<CoverageMapping>>
532 load(ArrayRef<StringRef> ObjectFilenames, StringRef ProfileFilename,
533 ArrayRef<StringRef> Arches = None);
535 /// The number of functions that couldn't have their profiles mapped.
537 /// This is a count of functions whose profile is out of date or otherwise
538 /// can't be associated with any coverage information.
539 unsigned getMismatchedCount() const { return FuncHashMismatches.size(); }
541 /// A hash mismatch occurs when a profile record for a symbol does not have
542 /// the same hash as a coverage mapping record for the same symbol. This
543 /// returns a list of hash mismatches, where each mismatch is a pair of the
544 /// symbol name and its coverage mapping hash.
545 ArrayRef<std::pair<std::string, uint64_t>> getHashMismatches() const {
546 return FuncHashMismatches;
549 /// Returns a lexicographically sorted, unique list of files that are
550 /// covered.
551 std::vector<StringRef> getUniqueSourceFiles() const;
553 /// Get the coverage for a particular file.
555 /// The given filename must be the name as recorded in the coverage
556 /// information. That is, only names returned from getUniqueSourceFiles will
557 /// yield a result.
558 CoverageData getCoverageForFile(StringRef Filename) const;
560 /// Get the coverage for a particular function.
561 CoverageData getCoverageForFunction(const FunctionRecord &Function) const;
563 /// Get the coverage for an expansion within a coverage set.
564 CoverageData getCoverageForExpansion(const ExpansionRecord &Expansion) const;
566 /// Gets all of the functions covered by this profile.
567 iterator_range<FunctionRecordIterator> getCoveredFunctions() const {
568 return make_range(FunctionRecordIterator(Functions),
569 FunctionRecordIterator());
572 /// Gets all of the functions in a particular file.
573 iterator_range<FunctionRecordIterator>
574 getCoveredFunctions(StringRef Filename) const {
575 return make_range(FunctionRecordIterator(Functions, Filename),
576 FunctionRecordIterator());
579 /// Get the list of function instantiation groups in a particular file.
581 /// Every instantiation group in a program is attributed to exactly one file:
582 /// the file in which the definition for the common function begins.
583 std::vector<InstantiationGroup>
584 getInstantiationGroups(StringRef Filename) const;
587 /// Coverage statistics for a single line.
588 class LineCoverageStats {
589 uint64_t ExecutionCount;
590 bool HasMultipleRegions;
591 bool Mapped;
592 unsigned Line;
593 ArrayRef<const CoverageSegment *> LineSegments;
594 const CoverageSegment *WrappedSegment;
596 friend class LineCoverageIterator;
597 LineCoverageStats() = default;
599 public:
600 LineCoverageStats(ArrayRef<const CoverageSegment *> LineSegments,
601 const CoverageSegment *WrappedSegment, unsigned Line);
603 uint64_t getExecutionCount() const { return ExecutionCount; }
605 bool hasMultipleRegions() const { return HasMultipleRegions; }
607 bool isMapped() const { return Mapped; }
609 unsigned getLine() const { return Line; }
611 ArrayRef<const CoverageSegment *> getLineSegments() const {
612 return LineSegments;
615 const CoverageSegment *getWrappedSegment() const { return WrappedSegment; }
618 /// An iterator over the \c LineCoverageStats objects for lines described by
619 /// a \c CoverageData instance.
620 class LineCoverageIterator
621 : public iterator_facade_base<
622 LineCoverageIterator, std::forward_iterator_tag, LineCoverageStats> {
623 public:
624 LineCoverageIterator(const CoverageData &CD)
625 : LineCoverageIterator(CD, CD.begin()->Line) {}
627 LineCoverageIterator(const CoverageData &CD, unsigned Line)
628 : CD(CD), WrappedSegment(nullptr), Next(CD.begin()), Ended(false),
629 Line(Line), Segments(), Stats() {
630 this->operator++();
633 bool operator==(const LineCoverageIterator &R) const {
634 return &CD == &R.CD && Next == R.Next && Ended == R.Ended;
637 const LineCoverageStats &operator*() const { return Stats; }
639 LineCoverageStats &operator*() { return Stats; }
641 LineCoverageIterator &operator++();
643 LineCoverageIterator getEnd() const {
644 auto EndIt = *this;
645 EndIt.Next = CD.end();
646 EndIt.Ended = true;
647 return EndIt;
650 private:
651 const CoverageData &CD;
652 const CoverageSegment *WrappedSegment;
653 std::vector<CoverageSegment>::const_iterator Next;
654 bool Ended;
655 unsigned Line;
656 SmallVector<const CoverageSegment *, 4> Segments;
657 LineCoverageStats Stats;
660 /// Get a \c LineCoverageIterator range for the lines described by \p CD.
661 static inline iterator_range<LineCoverageIterator>
662 getLineCoverageStats(const coverage::CoverageData &CD) {
663 auto Begin = LineCoverageIterator(CD);
664 auto End = Begin.getEnd();
665 return make_range(Begin, End);
668 // Profile coverage map has the following layout:
669 // [CoverageMapFileHeader]
670 // [ArrayStart]
671 // [CovMapFunctionRecord]
672 // [CovMapFunctionRecord]
673 // ...
674 // [ArrayEnd]
675 // [Encoded Region Mapping Data]
676 LLVM_PACKED_START
677 template <class IntPtrT> struct CovMapFunctionRecordV1 {
678 #define COVMAP_V1
679 #define COVMAP_FUNC_RECORD(Type, LLVMType, Name, Init) Type Name;
680 #include "llvm/ProfileData/InstrProfData.inc"
681 #undef COVMAP_V1
683 // Return the structural hash associated with the function.
684 template <support::endianness Endian> uint64_t getFuncHash() const {
685 return support::endian::byte_swap<uint64_t, Endian>(FuncHash);
688 // Return the coverage map data size for the funciton.
689 template <support::endianness Endian> uint32_t getDataSize() const {
690 return support::endian::byte_swap<uint32_t, Endian>(DataSize);
693 // Return function lookup key. The value is consider opaque.
694 template <support::endianness Endian> IntPtrT getFuncNameRef() const {
695 return support::endian::byte_swap<IntPtrT, Endian>(NamePtr);
698 // Return the PGO name of the function */
699 template <support::endianness Endian>
700 Error getFuncName(InstrProfSymtab &ProfileNames, StringRef &FuncName) const {
701 IntPtrT NameRef = getFuncNameRef<Endian>();
702 uint32_t NameS = support::endian::byte_swap<uint32_t, Endian>(NameSize);
703 FuncName = ProfileNames.getFuncName(NameRef, NameS);
704 if (NameS && FuncName.empty())
705 return make_error<CoverageMapError>(coveragemap_error::malformed);
706 return Error::success();
710 struct CovMapFunctionRecord {
711 #define COVMAP_FUNC_RECORD(Type, LLVMType, Name, Init) Type Name;
712 #include "llvm/ProfileData/InstrProfData.inc"
714 // Return the structural hash associated with the function.
715 template <support::endianness Endian> uint64_t getFuncHash() const {
716 return support::endian::byte_swap<uint64_t, Endian>(FuncHash);
719 // Return the coverage map data size for the funciton.
720 template <support::endianness Endian> uint32_t getDataSize() const {
721 return support::endian::byte_swap<uint32_t, Endian>(DataSize);
724 // Return function lookup key. The value is consider opaque.
725 template <support::endianness Endian> uint64_t getFuncNameRef() const {
726 return support::endian::byte_swap<uint64_t, Endian>(NameRef);
729 // Return the PGO name of the function */
730 template <support::endianness Endian>
731 Error getFuncName(InstrProfSymtab &ProfileNames, StringRef &FuncName) const {
732 uint64_t NameRef = getFuncNameRef<Endian>();
733 FuncName = ProfileNames.getFuncName(NameRef);
734 return Error::success();
738 // Per module coverage mapping data header, i.e. CoverageMapFileHeader
739 // documented above.
740 struct CovMapHeader {
741 #define COVMAP_HEADER(Type, LLVMType, Name, Init) Type Name;
742 #include "llvm/ProfileData/InstrProfData.inc"
743 template <support::endianness Endian> uint32_t getNRecords() const {
744 return support::endian::byte_swap<uint32_t, Endian>(NRecords);
747 template <support::endianness Endian> uint32_t getFilenamesSize() const {
748 return support::endian::byte_swap<uint32_t, Endian>(FilenamesSize);
751 template <support::endianness Endian> uint32_t getCoverageSize() const {
752 return support::endian::byte_swap<uint32_t, Endian>(CoverageSize);
755 template <support::endianness Endian> uint32_t getVersion() const {
756 return support::endian::byte_swap<uint32_t, Endian>(Version);
760 LLVM_PACKED_END
762 enum CovMapVersion {
763 Version1 = 0,
764 // Function's name reference from CovMapFuncRecord is changed from raw
765 // name string pointer to MD5 to support name section compression. Name
766 // section is also compressed.
767 Version2 = 1,
768 // A new interpretation of the columnEnd field is added in order to mark
769 // regions as gap areas.
770 Version3 = 2,
771 // The current version is Version3
772 CurrentVersion = INSTR_PROF_COVMAP_VERSION
775 template <int CovMapVersion, class IntPtrT> struct CovMapTraits {
776 using CovMapFuncRecordType = CovMapFunctionRecord;
777 using NameRefType = uint64_t;
780 template <class IntPtrT> struct CovMapTraits<CovMapVersion::Version1, IntPtrT> {
781 using CovMapFuncRecordType = CovMapFunctionRecordV1<IntPtrT>;
782 using NameRefType = IntPtrT;
785 } // end namespace coverage
787 /// Provide DenseMapInfo for CounterExpression
788 template<> struct DenseMapInfo<coverage::CounterExpression> {
789 static inline coverage::CounterExpression getEmptyKey() {
790 using namespace coverage;
792 return CounterExpression(CounterExpression::ExprKind::Subtract,
793 Counter::getCounter(~0U),
794 Counter::getCounter(~0U));
797 static inline coverage::CounterExpression getTombstoneKey() {
798 using namespace coverage;
800 return CounterExpression(CounterExpression::ExprKind::Add,
801 Counter::getCounter(~0U),
802 Counter::getCounter(~0U));
805 static unsigned getHashValue(const coverage::CounterExpression &V) {
806 return static_cast<unsigned>(
807 hash_combine(V.Kind, V.LHS.getKind(), V.LHS.getCounterID(),
808 V.RHS.getKind(), V.RHS.getCounterID()));
811 static bool isEqual(const coverage::CounterExpression &LHS,
812 const coverage::CounterExpression &RHS) {
813 return LHS.Kind == RHS.Kind && LHS.LHS == RHS.LHS && LHS.RHS == RHS.RHS;
817 } // end namespace llvm
819 #endif // LLVM_PROFILEDATA_COVERAGE_COVERAGEMAPPING_H