blob: 70964cb27e135b677a2a6cdc7e74fa2d49c17cdb [file] [log] [blame]
Diego Novillode1ab262014-09-09 12:40:50 +00001//===- SampleProfReader.cpp - Read LLVM sample profile data ---------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This file implements the class that reads LLVM sample profiles. It
Diego Novilloc572e922014-10-30 18:00:06 +000011// supports two file formats: text and binary. The textual representation
12// is useful for debugging and testing purposes. The binary representation
Diego Novillode1ab262014-09-09 12:40:50 +000013// is more compact, resulting in smaller file sizes. However, they can
14// both be used interchangeably.
15//
16// NOTE: If you are making changes to the file format, please remember
17// to document them in the Clang documentation at
18// tools/clang/docs/UsersManual.rst.
19//
20// Text format
21// -----------
22//
23// Sample profiles are written as ASCII text. The file is divided into
24// sections, which correspond to each of the functions executed at runtime.
25// Each section has the following format
26//
27// function1:total_samples:total_head_samples
28// offset1[.discriminator]: number_of_samples [fn1:num fn2:num ... ]
29// offset2[.discriminator]: number_of_samples [fn3:num fn4:num ... ]
30// ...
31// offsetN[.discriminator]: number_of_samples [fn5:num fn6:num ... ]
32//
33// The file may contain blank lines between sections and within a
34// section. However, the spacing within a single line is fixed. Additional
35// spaces will result in an error while reading the file.
36//
37// Function names must be mangled in order for the profile loader to
38// match them in the current translation unit. The two numbers in the
39// function header specify how many total samples were accumulated in the
40// function (first number), and the total number of samples accumulated
41// in the prologue of the function (second number). This head sample
42// count provides an indicator of how frequently the function is invoked.
43//
44// Each sampled line may contain several items. Some are optional (marked
45// below):
46//
47// a. Source line offset. This number represents the line number
48// in the function where the sample was collected. The line number is
49// always relative to the line where symbol of the function is
50// defined. So, if the function has its header at line 280, the offset
51// 13 is at line 293 in the file.
52//
53// Note that this offset should never be a negative number. This could
54// happen in cases like macros. The debug machinery will register the
55// line number at the point of macro expansion. So, if the macro was
56// expanded in a line before the start of the function, the profile
57// converter should emit a 0 as the offset (this means that the optimizers
58// will not be able to associate a meaningful weight to the instructions
59// in the macro).
60//
61// b. [OPTIONAL] Discriminator. This is used if the sampled program
62// was compiled with DWARF discriminator support
63// (http://wiki.dwarfstd.org/index.php?title=Path_Discriminators).
64// DWARF discriminators are unsigned integer values that allow the
65// compiler to distinguish between multiple execution paths on the
66// same source line location.
67//
68// For example, consider the line of code ``if (cond) foo(); else bar();``.
69// If the predicate ``cond`` is true 80% of the time, then the edge
70// into function ``foo`` should be considered to be taken most of the
71// time. But both calls to ``foo`` and ``bar`` are at the same source
72// line, so a sample count at that line is not sufficient. The
73// compiler needs to know which part of that line is taken more
74// frequently.
75//
76// This is what discriminators provide. In this case, the calls to
77// ``foo`` and ``bar`` will be at the same line, but will have
78// different discriminator values. This allows the compiler to correctly
79// set edge weights into ``foo`` and ``bar``.
80//
81// c. Number of samples. This is an integer quantity representing the
82// number of samples collected by the profiler at this source
83// location.
84//
85// d. [OPTIONAL] Potential call targets and samples. If present, this
86// line contains a call instruction. This models both direct and
87// number of samples. For example,
88//
89// 130: 7 foo:3 bar:2 baz:7
90//
91// The above means that at relative line offset 130 there is a call
92// instruction that calls one of ``foo()``, ``bar()`` and ``baz()``,
93// with ``baz()`` being the relatively more frequently called target.
94//
95//===----------------------------------------------------------------------===//
96
97#include "llvm/ProfileData/SampleProfReader.h"
98#include "llvm/Support/Debug.h"
99#include "llvm/Support/ErrorOr.h"
Diego Novilloc572e922014-10-30 18:00:06 +0000100#include "llvm/Support/LEB128.h"
Diego Novillode1ab262014-09-09 12:40:50 +0000101#include "llvm/Support/LineIterator.h"
Diego Novilloc572e922014-10-30 18:00:06 +0000102#include "llvm/Support/MemoryBuffer.h"
Diego Novillode1ab262014-09-09 12:40:50 +0000103#include "llvm/Support/Regex.h"
104
Diego Novilloc572e922014-10-30 18:00:06 +0000105using namespace llvm::sampleprof;
Diego Novillode1ab262014-09-09 12:40:50 +0000106using namespace llvm;
107
108/// \brief Print the samples collected for a function on stream \p OS.
109///
110/// \param OS Stream to emit the output to.
111void FunctionSamples::print(raw_ostream &OS) {
112 OS << TotalSamples << ", " << TotalHeadSamples << ", " << BodySamples.size()
113 << " sampled lines\n";
Diego Novillod5336ae2014-11-01 00:56:55 +0000114 for (const auto &SI : BodySamples) {
115 LineLocation Loc = SI.first;
116 const SampleRecord &Sample = SI.second;
Diego Novilloc572e922014-10-30 18:00:06 +0000117 OS << "\tline offset: " << Loc.LineOffset
118 << ", discriminator: " << Loc.Discriminator
119 << ", number of samples: " << Sample.getSamples();
120 if (Sample.hasCalls()) {
121 OS << ", calls:";
Diego Novillod5336ae2014-11-01 00:56:55 +0000122 for (const auto &I : Sample.getCallTargets())
123 OS << " " << I.first() << ":" << I.second;
Diego Novilloc572e922014-10-30 18:00:06 +0000124 }
125 OS << "\n";
126 }
Diego Novillode1ab262014-09-09 12:40:50 +0000127 OS << "\n";
128}
129
Diego Novillod5336ae2014-11-01 00:56:55 +0000130/// \brief Dump the function profile for \p FName.
Diego Novillode1ab262014-09-09 12:40:50 +0000131///
Diego Novillode1ab262014-09-09 12:40:50 +0000132/// \param FName Name of the function to print.
Diego Novillod5336ae2014-11-01 00:56:55 +0000133/// \param OS Stream to emit the output to.
134void SampleProfileReader::dumpFunctionProfile(StringRef FName,
135 raw_ostream &OS) {
Diego Novilloc572e922014-10-30 18:00:06 +0000136 OS << "Function: " << FName << ": ";
Diego Novillode1ab262014-09-09 12:40:50 +0000137 Profiles[FName].print(OS);
138}
139
Diego Novillod5336ae2014-11-01 00:56:55 +0000140/// \brief Dump all the function profiles found on stream \p OS.
141void SampleProfileReader::dump(raw_ostream &OS) {
142 for (const auto &I : Profiles)
143 dumpFunctionProfile(I.getKey(), OS);
Diego Novillode1ab262014-09-09 12:40:50 +0000144}
145
146/// \brief Load samples from a text file.
147///
148/// See the documentation at the top of the file for an explanation of
149/// the expected format.
150///
151/// \returns true if the file was loaded successfully, false otherwise.
Diego Novilloc572e922014-10-30 18:00:06 +0000152std::error_code SampleProfileReaderText::read() {
153 line_iterator LineIt(*Buffer, /*SkipBlanks=*/true, '#');
Diego Novillode1ab262014-09-09 12:40:50 +0000154
155 // Read the profile of each function. Since each function may be
156 // mentioned more than once, and we are collecting flat profiles,
157 // accumulate samples as we parse them.
158 Regex HeadRE("^([^0-9].*):([0-9]+):([0-9]+)$");
Diego Novilloc572e922014-10-30 18:00:06 +0000159 Regex LineSampleRE("^([0-9]+)\\.?([0-9]+)?: ([0-9]+)(.*)$");
160 Regex CallSampleRE(" +([^0-9 ][^ ]*):([0-9]+)");
Diego Novillode1ab262014-09-09 12:40:50 +0000161 while (!LineIt.is_at_eof()) {
162 // Read the header of each function.
163 //
164 // Note that for function identifiers we are actually expecting
165 // mangled names, but we may not always get them. This happens when
166 // the compiler decides not to emit the function (e.g., it was inlined
167 // and removed). In this case, the binary will not have the linkage
168 // name for the function, so the profiler will emit the function's
169 // unmangled name, which may contain characters like ':' and '>' in its
170 // name (member functions, templates, etc).
171 //
172 // The only requirement we place on the identifier, then, is that it
173 // should not begin with a number.
Diego Novilloc572e922014-10-30 18:00:06 +0000174 SmallVector<StringRef, 4> Matches;
Diego Novillode1ab262014-09-09 12:40:50 +0000175 if (!HeadRE.match(*LineIt, &Matches)) {
Diego Novillo3376a782015-09-17 00:17:24 +0000176 reportError(LineIt.line_number(),
177 "Expected 'mangled_name:NUM:NUM', found " + *LineIt);
Diego Novilloc572e922014-10-30 18:00:06 +0000178 return sampleprof_error::malformed;
Diego Novillode1ab262014-09-09 12:40:50 +0000179 }
180 assert(Matches.size() == 4);
181 StringRef FName = Matches[1];
182 unsigned NumSamples, NumHeadSamples;
183 Matches[2].getAsInteger(10, NumSamples);
184 Matches[3].getAsInteger(10, NumHeadSamples);
185 Profiles[FName] = FunctionSamples();
186 FunctionSamples &FProfile = Profiles[FName];
187 FProfile.addTotalSamples(NumSamples);
188 FProfile.addHeadSamples(NumHeadSamples);
189 ++LineIt;
190
191 // Now read the body. The body of the function ends when we reach
192 // EOF or when we see the start of the next function.
193 while (!LineIt.is_at_eof() && isdigit((*LineIt)[0])) {
Diego Novilloc572e922014-10-30 18:00:06 +0000194 if (!LineSampleRE.match(*LineIt, &Matches)) {
Diego Novillo3376a782015-09-17 00:17:24 +0000195 reportError(LineIt.line_number(),
196 "Expected 'NUM[.NUM]: NUM[ mangled_name:NUM]*', found " +
197 *LineIt);
Diego Novilloc572e922014-10-30 18:00:06 +0000198 return sampleprof_error::malformed;
Diego Novillode1ab262014-09-09 12:40:50 +0000199 }
200 assert(Matches.size() == 5);
201 unsigned LineOffset, NumSamples, Discriminator = 0;
202 Matches[1].getAsInteger(10, LineOffset);
203 if (Matches[2] != "")
204 Matches[2].getAsInteger(10, Discriminator);
205 Matches[3].getAsInteger(10, NumSamples);
206
Diego Novilloc572e922014-10-30 18:00:06 +0000207 // If there are function calls in this line, generate a call sample
208 // entry for each call.
209 std::string CallsLine(Matches[4]);
210 while (CallsLine != "") {
211 SmallVector<StringRef, 3> CallSample;
212 if (!CallSampleRE.match(CallsLine, &CallSample)) {
Diego Novillo3376a782015-09-17 00:17:24 +0000213 reportError(LineIt.line_number(),
214 "Expected 'mangled_name:NUM', found " + CallsLine);
Diego Novilloc572e922014-10-30 18:00:06 +0000215 return sampleprof_error::malformed;
216 }
217 StringRef CalledFunction = CallSample[1];
218 unsigned CalledFunctionSamples;
219 CallSample[2].getAsInteger(10, CalledFunctionSamples);
220 FProfile.addCalledTargetSamples(LineOffset, Discriminator,
221 CalledFunction, CalledFunctionSamples);
222 CallsLine = CallSampleRE.sub("", CallsLine);
223 }
Diego Novillode1ab262014-09-09 12:40:50 +0000224
Diego Novillode1ab262014-09-09 12:40:50 +0000225 FProfile.addBodySamples(LineOffset, Discriminator, NumSamples);
226 ++LineIt;
227 }
228 }
229
Diego Novilloc572e922014-10-30 18:00:06 +0000230 return sampleprof_error::success;
Diego Novillode1ab262014-09-09 12:40:50 +0000231}
232
Diego Novillod5336ae2014-11-01 00:56:55 +0000233template <typename T> ErrorOr<T> SampleProfileReaderBinary::readNumber() {
Diego Novilloc572e922014-10-30 18:00:06 +0000234 unsigned NumBytesRead = 0;
235 std::error_code EC;
236 uint64_t Val = decodeULEB128(Data, &NumBytesRead);
237
238 if (Val > std::numeric_limits<T>::max())
239 EC = sampleprof_error::malformed;
240 else if (Data + NumBytesRead > End)
241 EC = sampleprof_error::truncated;
242 else
243 EC = sampleprof_error::success;
244
245 if (EC) {
Diego Novillo3376a782015-09-17 00:17:24 +0000246 reportError(0, EC.message());
Diego Novilloc572e922014-10-30 18:00:06 +0000247 return EC;
248 }
249
250 Data += NumBytesRead;
251 return static_cast<T>(Val);
252}
253
254ErrorOr<StringRef> SampleProfileReaderBinary::readString() {
255 std::error_code EC;
256 StringRef Str(reinterpret_cast<const char *>(Data));
257 if (Data + Str.size() + 1 > End) {
258 EC = sampleprof_error::truncated;
Diego Novillo3376a782015-09-17 00:17:24 +0000259 reportError(0, EC.message());
Diego Novilloc572e922014-10-30 18:00:06 +0000260 return EC;
261 }
262
263 Data += Str.size() + 1;
264 return Str;
265}
266
267std::error_code SampleProfileReaderBinary::read() {
268 while (!at_eof()) {
269 auto FName(readString());
270 if (std::error_code EC = FName.getError())
271 return EC;
272
273 Profiles[*FName] = FunctionSamples();
274 FunctionSamples &FProfile = Profiles[*FName];
275
276 auto Val = readNumber<unsigned>();
277 if (std::error_code EC = Val.getError())
278 return EC;
279 FProfile.addTotalSamples(*Val);
280
281 Val = readNumber<unsigned>();
282 if (std::error_code EC = Val.getError())
283 return EC;
284 FProfile.addHeadSamples(*Val);
285
286 // Read the samples in the body.
287 auto NumRecords = readNumber<unsigned>();
288 if (std::error_code EC = NumRecords.getError())
289 return EC;
290 for (unsigned I = 0; I < *NumRecords; ++I) {
291 auto LineOffset = readNumber<uint64_t>();
292 if (std::error_code EC = LineOffset.getError())
293 return EC;
294
295 auto Discriminator = readNumber<uint64_t>();
296 if (std::error_code EC = Discriminator.getError())
297 return EC;
298
299 auto NumSamples = readNumber<uint64_t>();
300 if (std::error_code EC = NumSamples.getError())
301 return EC;
302
303 auto NumCalls = readNumber<unsigned>();
304 if (std::error_code EC = NumCalls.getError())
305 return EC;
306
307 for (unsigned J = 0; J < *NumCalls; ++J) {
308 auto CalledFunction(readString());
309 if (std::error_code EC = CalledFunction.getError())
310 return EC;
311
312 auto CalledFunctionSamples = readNumber<uint64_t>();
313 if (std::error_code EC = CalledFunctionSamples.getError())
314 return EC;
315
316 FProfile.addCalledTargetSamples(*LineOffset, *Discriminator,
317 *CalledFunction,
318 *CalledFunctionSamples);
319 }
320
321 FProfile.addBodySamples(*LineOffset, *Discriminator, *NumSamples);
322 }
323 }
324
325 return sampleprof_error::success;
326}
327
328std::error_code SampleProfileReaderBinary::readHeader() {
329 Data = reinterpret_cast<const uint8_t *>(Buffer->getBufferStart());
330 End = Data + Buffer->getBufferSize();
331
332 // Read and check the magic identifier.
333 auto Magic = readNumber<uint64_t>();
334 if (std::error_code EC = Magic.getError())
335 return EC;
336 else if (*Magic != SPMagic())
337 return sampleprof_error::bad_magic;
338
339 // Read the version number.
340 auto Version = readNumber<uint64_t>();
341 if (std::error_code EC = Version.getError())
342 return EC;
343 else if (*Version != SPVersion())
344 return sampleprof_error::unsupported_version;
345
346 return sampleprof_error::success;
347}
348
349bool SampleProfileReaderBinary::hasFormat(const MemoryBuffer &Buffer) {
350 const uint8_t *Data =
351 reinterpret_cast<const uint8_t *>(Buffer.getBufferStart());
352 uint64_t Magic = decodeULEB128(Data);
353 return Magic == SPMagic();
354}
355
Diego Novillo3376a782015-09-17 00:17:24 +0000356bool SourceInfo::operator<(const SourceInfo &P) const {
357 if (Line != P.Line)
358 return Line < P.Line;
359 if (StartLine != P.StartLine)
360 return StartLine < P.StartLine;
361 if (Discriminator != P.Discriminator)
362 return Discriminator < P.Discriminator;
363 return FuncName < P.FuncName;
364}
365
366std::error_code SampleProfileReaderGCC::skipNextWord() {
367 uint32_t dummy;
368 if (!GcovBuffer.readInt(dummy))
369 return sampleprof_error::truncated;
370 return sampleprof_error::success;
371}
372
373template <typename T> ErrorOr<T> SampleProfileReaderGCC::readNumber() {
374 if (sizeof(T) <= sizeof(uint32_t)) {
375 uint32_t Val;
376 if (GcovBuffer.readInt(Val) && Val <= std::numeric_limits<T>::max())
377 return static_cast<T>(Val);
378 } else if (sizeof(T) <= sizeof(uint64_t)) {
379 uint64_t Val;
380 if (GcovBuffer.readInt64(Val) && Val <= std::numeric_limits<T>::max())
381 return static_cast<T>(Val);
382 }
383
384 std::error_code EC = sampleprof_error::malformed;
385 reportError(0, EC.message());
386 return EC;
387}
388
389ErrorOr<StringRef> SampleProfileReaderGCC::readString() {
390 StringRef Str;
391 if (!GcovBuffer.readString(Str))
392 return sampleprof_error::truncated;
393 return Str;
394}
395
396std::error_code SampleProfileReaderGCC::readHeader() {
397 // Read the magic identifier.
398 if (!GcovBuffer.readGCDAFormat())
399 return sampleprof_error::unrecognized_format;
400
401 // Read the version number. Note - the GCC reader does not validate this
402 // version, but the profile creator generates v704.
403 GCOV::GCOVVersion version;
404 if (!GcovBuffer.readGCOVVersion(version))
405 return sampleprof_error::unrecognized_format;
406
407 if (version != GCOV::V704)
408 return sampleprof_error::unsupported_version;
409
410 // Skip the empty integer.
411 if (std::error_code EC = skipNextWord())
412 return EC;
413
414 return sampleprof_error::success;
415}
416
417std::error_code SampleProfileReaderGCC::readSectionTag(uint32_t Expected) {
418 uint32_t Tag;
419 if (!GcovBuffer.readInt(Tag))
420 return sampleprof_error::truncated;
421
422 if (Tag != Expected)
423 return sampleprof_error::malformed;
424
425 if (std::error_code EC = skipNextWord())
426 return EC;
427
428 return sampleprof_error::success;
429}
430
431std::error_code SampleProfileReaderGCC::readNameTable() {
432 if (std::error_code EC = readSectionTag(GCOVTagAFDOFileNames))
433 return EC;
434
435 uint32_t Size;
436 if (!GcovBuffer.readInt(Size))
437 return sampleprof_error::truncated;
438
439 for (uint32_t I = 0; I < Size; ++I) {
440 StringRef Str;
441 if (!GcovBuffer.readString(Str))
442 return sampleprof_error::truncated;
443 Names.push_back(Str);
444 }
445
446 return sampleprof_error::success;
447}
448
449std::error_code SampleProfileReaderGCC::readFunctionProfiles() {
450 if (std::error_code EC = readSectionTag(GCOVTagAFDOFunction))
451 return EC;
452
453 uint32_t NumFunctions;
454 if (!GcovBuffer.readInt(NumFunctions))
455 return sampleprof_error::truncated;
456
457 SourceStack Stack;
458 for (uint32_t I = 0; I < NumFunctions; ++I)
459 if (std::error_code EC = readOneFunctionProfile(Stack, true))
460 return EC;
461
462 return sampleprof_error::success;
463}
464
465std::error_code SampleProfileReaderGCC::addSourceCount(StringRef Name,
466 const SourceStack &Src,
467 uint64_t Count) {
468 if (Src.size() == 0 || Src[0].Malformed())
469 return sampleprof_error::malformed;
470 FunctionSamples &FProfile = Profiles[Name];
471 FProfile.addTotalSamples(Count);
472 // FIXME(dnovillo) - Properly update inline stack for FnName.
473 FProfile.addBodySamples(Src[0].Line, Src[0].Discriminator, Count);
474 return sampleprof_error::success;
475}
476
477
478std::error_code
479SampleProfileReaderGCC::readOneFunctionProfile(const SourceStack &Stack,
480 bool Update) {
481 uint64_t HeadCount = 0;
482 if (Stack.size() == 0)
483 if (!GcovBuffer.readInt64(HeadCount))
484 return sampleprof_error::truncated;
485
486 uint32_t NameIdx;
487 if (!GcovBuffer.readInt(NameIdx))
488 return sampleprof_error::truncated;
489
490 StringRef Name(Names[NameIdx]);
491
492 uint32_t NumPosCounts;
493 if (!GcovBuffer.readInt(NumPosCounts))
494 return sampleprof_error::truncated;
495
496 uint32_t NumCallSites;
497 if (!GcovBuffer.readInt(NumCallSites))
498 return sampleprof_error::truncated;
499
500 if (Stack.size() == 0) {
501 FunctionSamples &FProfile = Profiles[Name];
502 FProfile.addHeadSamples(HeadCount);
503 if (FProfile.getTotalSamples() > 0)
504 Update = false;
505 }
506
507 for (uint32_t I = 0; I < NumPosCounts; ++I) {
508 uint32_t Offset;
509 if (!GcovBuffer.readInt(Offset))
510 return sampleprof_error::truncated;
511
512 uint32_t NumTargets;
513 if (!GcovBuffer.readInt(NumTargets))
514 return sampleprof_error::truncated;
515
516 uint64_t Count;
517 if (!GcovBuffer.readInt64(Count))
518 return sampleprof_error::truncated;
519
520 SourceInfo Info(Name, "", "", 0, Offset >> 16, Offset & 0xffff);
521 SourceStack NewStack;
522 NewStack.push_back(Info);
523 NewStack.insert(NewStack.end(), Stack.begin(), Stack.end());
524 if (Update)
525 addSourceCount(NewStack[NewStack.size() - 1].FuncName, NewStack, Count);
526
527 for (uint32_t J = 0; J < NumTargets; J++) {
528 uint32_t HistVal;
529 if (!GcovBuffer.readInt(HistVal))
530 return sampleprof_error::truncated;
531
532 if (HistVal != HIST_TYPE_INDIR_CALL_TOPN)
533 return sampleprof_error::malformed;
534
535 uint64_t TargetIdx;
536 if (!GcovBuffer.readInt64(TargetIdx))
537 return sampleprof_error::truncated;
538 StringRef TargetName(Names[TargetIdx]);
539
540 uint64_t TargetCount;
541 if (!GcovBuffer.readInt64(TargetCount))
542 return sampleprof_error::truncated;
543
544 if (Update) {
545 FunctionSamples &TargetProfile = Profiles[TargetName];
546 TargetProfile.addBodySamples(NewStack[0].Line,
547 NewStack[0].Discriminator, TargetCount);
548 }
549 }
550 }
551
552 for (uint32_t I = 0; I < NumCallSites; I++) {
553 // The offset is encoded as:
554 // high 16 bits: line offset to the start of the function.
555 // low 16 bits: discriminator.
556 uint32_t Offset;
557 if (!GcovBuffer.readInt(Offset))
558 return sampleprof_error::truncated;
559 SourceInfo Info(Name, "", "", 0, Offset >> 16, Offset & 0xffff);
560 SourceStack NewStack;
561 NewStack.push_back(Info);
562 NewStack.insert(NewStack.end(), Stack.begin(), Stack.end());
563 if (std::error_code EC = readOneFunctionProfile(NewStack, Update))
564 return EC;
565 }
566
567 return sampleprof_error::success;
568}
569
570std::error_code SampleProfileReaderGCC::readModuleGroup() {
571 // FIXME(dnovillo) - Module support still not implemented.
572 return sampleprof_error::not_implemented;
573}
574
575std::error_code SampleProfileReaderGCC::readWorkingSet() {
576 // FIXME(dnovillo) - Working sets still not implemented.
577 return sampleprof_error::not_implemented;
578}
579
580
581/// \brief Read a GCC AutoFDO profile.
582///
583/// This format is generated by the Linux Perf conversion tool at
584/// https://github.com/google/autofdo.
585std::error_code SampleProfileReaderGCC::read() {
586 // Read the string table.
587 if (std::error_code EC = readNameTable())
588 return EC;
589
590 // Read the source profile.
591 if (std::error_code EC = readFunctionProfiles())
592 return EC;
593
594 // FIXME(dnovillo) - Module groups and working set support are not
595 // yet implemented.
596#if 0
597 // Read the module group file.
598 if (std::error_code EC = readModuleGroup())
599 return EC;
600
601 // Read the working set.
602 if (std::error_code EC = readWorkingSet())
603 return EC;
604#endif
605
606 return sampleprof_error::success;
607}
608
609bool SampleProfileReaderGCC::hasFormat(const MemoryBuffer &Buffer) {
610 StringRef Magic(reinterpret_cast<const char *>(Buffer.getBufferStart()));
611 return Magic == "adcg*704";
612}
613
Diego Novilloc572e922014-10-30 18:00:06 +0000614/// \brief Prepare a memory buffer for the contents of \p Filename.
Diego Novillode1ab262014-09-09 12:40:50 +0000615///
Diego Novilloc572e922014-10-30 18:00:06 +0000616/// \returns an error code indicating the status of the buffer.
Diego Novillofcd55602014-11-03 00:51:45 +0000617static ErrorOr<std::unique_ptr<MemoryBuffer>>
618setupMemoryBuffer(std::string Filename) {
Diego Novilloc572e922014-10-30 18:00:06 +0000619 auto BufferOrErr = MemoryBuffer::getFileOrSTDIN(Filename);
620 if (std::error_code EC = BufferOrErr.getError())
621 return EC;
Diego Novillofcd55602014-11-03 00:51:45 +0000622 auto Buffer = std::move(BufferOrErr.get());
Diego Novilloc572e922014-10-30 18:00:06 +0000623
624 // Sanity check the file.
625 if (Buffer->getBufferSize() > std::numeric_limits<unsigned>::max())
626 return sampleprof_error::too_large;
627
Diego Novillofcd55602014-11-03 00:51:45 +0000628 return std::move(Buffer);
Diego Novilloc572e922014-10-30 18:00:06 +0000629}
630
631/// \brief Create a sample profile reader based on the format of the input file.
632///
633/// \param Filename The file to open.
634///
635/// \param Reader The reader to instantiate according to \p Filename's format.
636///
637/// \param C The LLVM context to use to emit diagnostics.
638///
639/// \returns an error code indicating the status of the created reader.
Diego Novillofcd55602014-11-03 00:51:45 +0000640ErrorOr<std::unique_ptr<SampleProfileReader>>
641SampleProfileReader::create(StringRef Filename, LLVMContext &C) {
642 auto BufferOrError = setupMemoryBuffer(Filename);
643 if (std::error_code EC = BufferOrError.getError())
Diego Novilloc572e922014-10-30 18:00:06 +0000644 return EC;
645
Diego Novillofcd55602014-11-03 00:51:45 +0000646 auto Buffer = std::move(BufferOrError.get());
647 std::unique_ptr<SampleProfileReader> Reader;
Diego Novilloc572e922014-10-30 18:00:06 +0000648 if (SampleProfileReaderBinary::hasFormat(*Buffer))
649 Reader.reset(new SampleProfileReaderBinary(std::move(Buffer), C));
Diego Novillo3376a782015-09-17 00:17:24 +0000650 else if (SampleProfileReaderGCC::hasFormat(*Buffer))
651 Reader.reset(new SampleProfileReaderGCC(std::move(Buffer), C));
Diego Novilloc572e922014-10-30 18:00:06 +0000652 else
653 Reader.reset(new SampleProfileReaderText(std::move(Buffer), C));
654
Diego Novillofcd55602014-11-03 00:51:45 +0000655 if (std::error_code EC = Reader->readHeader())
656 return EC;
657
658 return std::move(Reader);
Diego Novillode1ab262014-09-09 12:40:50 +0000659}