1 //===- SourceCoverageViewHTML.cpp - A html code coverage view -------------===//
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 /// \file This file implements the html coverage renderer.
11 ///
12 //===----------------------------------------------------------------------===//
13 
14 #include "CoverageReport.h"
15 #include "SourceCoverageViewHTML.h"
16 #include "llvm/ADT/Optional.h"
17 #include "llvm/ADT/SmallString.h"
18 #include "llvm/ADT/StringExtras.h"
19 #include "llvm/Support/FileSystem.h"
20 #include "llvm/Support/Format.h"
21 #include "llvm/Support/Path.h"
22 
23 using namespace llvm;
24 
25 namespace {
26 
27 // Return a string with the special characters in \p Str escaped.
28 std::string escape(StringRef Str, const CoverageViewOptions &Opts) {
29   std::string Result;
30   unsigned ColNum = 0; // Record the column number.
31   for (char C : Str) {
32     ++ColNum;
33     if (C == '&')
34       Result += "&";
35     else if (C == '<')
36       Result += "&lt;";
37     else if (C == '>')
38       Result += "&gt;";
39     else if (C == '\"')
40       Result += "&quot;";
41     else if (C == '\n' || C == '\r') {
42       Result += C;
43       ColNum = 0;
44     } else if (C == '\t') {
45       // Replace '\t' with TabSize spaces.
46       unsigned NumSpaces = Opts.TabSize - (--ColNum % Opts.TabSize);
47       for (unsigned I = 0; I < NumSpaces; ++I)
48         Result += "&nbsp;";
49       ColNum += NumSpaces;
50     } else
51       Result += C;
52   }
53   return Result;
54 }
55 
56 // Create a \p Name tag around \p Str, and optionally set its \p ClassName.
57 std::string tag(const std::string &Name, const std::string &Str,
58                 const std::string &ClassName = "") {
59   std::string Tag = "<" + Name;
60   if (ClassName != "")
61     Tag += " class='" + ClassName + "'";
62   return Tag + ">" + Str + "</" + Name + ">";
63 }
64 
65 // Create an anchor to \p Link with the label \p Str.
66 std::string a(const std::string &Link, const std::string &Str,
67               const std::string &TargetName = "") {
68   std::string Name = TargetName.empty() ? "" : ("name='" + TargetName + "' ");
69   return "<a " + Name + "href='" + Link + "'>" + Str + "</a>";
70 }
71 
72 const char *BeginHeader =
73   "<head>"
74     "<meta name='viewport' content='width=device-width,initial-scale=1'>"
75     "<meta charset='UTF-8'>";
76 
77 const char *CSSForCoverage =
78     R"(.red {
79   background-color: #ffd0d0;
80 }
81 .cyan {
82   background-color: cyan;
83 }
84 body {
85   font-family: -apple-system, sans-serif;
86 }
87 pre {
88   margin-top: 0px !important;
89   margin-bottom: 0px !important;
90 }
91 .source-name-title {
92   padding: 5px 10px;
93   border-bottom: 1px solid #dbdbdb;
94   background-color: #eee;
95   line-height: 35px;
96 }
97 .centered {
98   display: table;
99   margin-left: left;
100   margin-right: auto;
101   border: 1px solid #dbdbdb;
102   border-radius: 3px;
103 }
104 .expansion-view {
105   background-color: rgba(0, 0, 0, 0);
106   margin-left: 0px;
107   margin-top: 5px;
108   margin-right: 5px;
109   margin-bottom: 5px;
110   border: 1px solid #dbdbdb;
111   border-radius: 3px;
112 }
113 table {
114   border-collapse: collapse;
115 }
116 .light-row {
117   background: #ffffff;
118   border: 1px solid #dbdbdb;
119 }
120 .column-entry {
121   text-align: right;
122 }
123 .column-entry-left {
124   text-align: left;
125 }
126 .column-entry-yellow {
127   text-align: right;
128   background-color: #ffffd0;
129 }
130 .column-entry-red {
131   text-align: right;
132   background-color: #ffd0d0;
133 }
134 .column-entry-green {
135   text-align: right;
136   background-color: #d0ffd0;
137 }
138 .line-number {
139   text-align: right;
140   color: #aaa;
141 }
142 .covered-line {
143   text-align: right;
144   color: #0080ff;
145 }
146 .uncovered-line {
147   text-align: right;
148   color: #ff3300;
149 }
150 .tooltip {
151   position: relative;
152   display: inline;
153   background-color: #b3e6ff;
154   text-decoration: none;
155 }
156 .tooltip span.tooltip-content {
157   position: absolute;
158   width: 100px;
159   margin-left: -50px;
160   color: #FFFFFF;
161   background: #000000;
162   height: 30px;
163   line-height: 30px;
164   text-align: center;
165   visibility: hidden;
166   border-radius: 6px;
167 }
168 .tooltip span.tooltip-content:after {
169   content: '';
170   position: absolute;
171   top: 100%;
172   left: 50%;
173   margin-left: -8px;
174   width: 0; height: 0;
175   border-top: 8px solid #000000;
176   border-right: 8px solid transparent;
177   border-left: 8px solid transparent;
178 }
179 :hover.tooltip span.tooltip-content {
180   visibility: visible;
181   opacity: 0.8;
182   bottom: 30px;
183   left: 50%;
184   z-index: 999;
185 }
186 th, td {
187   vertical-align: top;
188   padding: 2px 5px;
189   border-collapse: collapse;
190   border-right: solid 1px #eee;
191   border-left: solid 1px #eee;
192 }
193 td:first-child {
194   border-left: none;
195 }
196 td:last-child {
197   border-right: none;
198 }
199 )";
200 
201 const char *EndHeader = "</head>";
202 
203 const char *BeginCenteredDiv = "<div class='centered'>";
204 
205 const char *EndCenteredDiv = "</div>";
206 
207 const char *BeginSourceNameDiv = "<div class='source-name-title'>";
208 
209 const char *EndSourceNameDiv = "</div>";
210 
211 const char *BeginCodeTD = "<td class='code'>";
212 
213 const char *EndCodeTD = "</td>";
214 
215 const char *BeginPre = "<pre>";
216 
217 const char *EndPre = "</pre>";
218 
219 const char *BeginExpansionDiv = "<div class='expansion-view'>";
220 
221 const char *EndExpansionDiv = "</div>";
222 
223 const char *BeginTable = "<table>";
224 
225 const char *EndTable = "</table>";
226 
227 const char *ProjectTitleTag = "h1";
228 
229 const char *ReportTitleTag = "h2";
230 
231 const char *CreatedTimeTag = "h4";
232 
233 std::string getPathToStyle(StringRef ViewPath) {
234   std::string PathToStyle = "";
235   std::string PathSep = sys::path::get_separator();
236   unsigned NumSeps = ViewPath.count(PathSep);
237   for (unsigned I = 0, E = NumSeps; I < E; ++I)
238     PathToStyle += ".." + PathSep;
239   return PathToStyle + "style.css";
240 }
241 
242 void emitPrelude(raw_ostream &OS, const CoverageViewOptions &Opts,
243                  const std::string &PathToStyle = "") {
244   OS << "<!doctype html>"
245         "<html>"
246      << BeginHeader;
247 
248   // Link to a stylesheet if one is available. Otherwise, use the default style.
249   if (PathToStyle.empty())
250     OS << "<style>" << CSSForCoverage << "</style>";
251   else
252     OS << "<link rel='stylesheet' type='text/css' href='"
253        << escape(PathToStyle, Opts) << "'>";
254 
255   OS << EndHeader << "<body>";
256 }
257 
258 void emitEpilog(raw_ostream &OS) {
259   OS << "</body>"
260      << "</html>";
261 }
262 
263 } // anonymous namespace
264 
265 Expected<CoveragePrinter::OwnedStream>
266 CoveragePrinterHTML::createViewFile(StringRef Path, bool InToplevel) {
267   auto OSOrErr = createOutputStream(Path, "html", InToplevel);
268   if (!OSOrErr)
269     return OSOrErr;
270 
271   OwnedStream OS = std::move(OSOrErr.get());
272 
273   if (!Opts.hasOutputDirectory()) {
274     emitPrelude(*OS.get(), Opts);
275   } else {
276     std::string ViewPath = getOutputPath(Path, "html", InToplevel);
277     emitPrelude(*OS.get(), Opts, getPathToStyle(ViewPath));
278   }
279 
280   return std::move(OS);
281 }
282 
283 void CoveragePrinterHTML::closeViewFile(OwnedStream OS) {
284   emitEpilog(*OS.get());
285 }
286 
287 /// Emit column labels for the table in the index.
288 static void emitColumnLabelsForIndex(raw_ostream &OS,
289                                      const CoverageViewOptions &Opts) {
290   SmallVector<std::string, 4> Columns;
291   Columns.emplace_back(tag("td", "Filename", "column-entry-left"));
292   Columns.emplace_back(tag("td", "Function Coverage", "column-entry"));
293   if (Opts.ShowInstantiationSummary)
294     Columns.emplace_back(tag("td", "Instantiation Coverage", "column-entry"));
295   Columns.emplace_back(tag("td", "Line Coverage", "column-entry"));
296   if (Opts.ShowRegionSummary)
297     Columns.emplace_back(tag("td", "Region Coverage", "column-entry"));
298   OS << tag("tr", join(Columns.begin(), Columns.end(), ""));
299 }
300 
301 std::string
302 CoveragePrinterHTML::buildLinkToFile(StringRef SF,
303                                      const FileCoverageSummary &FCS) const {
304   SmallString<128> LinkTextStr(sys::path::relative_path(FCS.Name));
305   sys::path::remove_dots(LinkTextStr, /*remove_dot_dots=*/true);
306   sys::path::native(LinkTextStr);
307   std::string LinkText = escape(LinkTextStr, Opts);
308   std::string LinkTarget =
309       escape(getOutputPath(SF, "html", /*InToplevel=*/false), Opts);
310   return a(LinkTarget, LinkText);
311 }
312 
313 /// Render a file coverage summary (\p FCS) in a table row. If \p IsTotals is
314 /// false, link the summary to \p SF.
315 void CoveragePrinterHTML::emitFileSummary(raw_ostream &OS, StringRef SF,
316                                           const FileCoverageSummary &FCS,
317                                           bool IsTotals) const {
318   SmallVector<std::string, 8> Columns;
319 
320   // Format a coverage triple and add the result to the list of columns.
321   auto AddCoverageTripleToColumn = [&Columns](unsigned Hit, unsigned Total,
322                                               float Pctg) {
323     std::string S;
324     {
325       raw_string_ostream RSO{S};
326       if (Total)
327         RSO << format("%*.2f", 7, Pctg) << "% ";
328       else
329         RSO << "- ";
330       RSO << '(' << Hit << '/' << Total << ')';
331     }
332     const char *CellClass = "column-entry-yellow";
333     if (Hit == Total)
334       CellClass = "column-entry-green";
335     else if (Pctg < 80.0)
336       CellClass = "column-entry-red";
337     Columns.emplace_back(tag("td", tag("pre", S), CellClass));
338   };
339 
340   // Simplify the display file path, and wrap it in a link if requested.
341   std::string Filename;
342   if (IsTotals) {
343     Filename = "TOTALS";
344   } else {
345     Filename = buildLinkToFile(SF, FCS);
346   }
347 
348   Columns.emplace_back(tag("td", tag("pre", Filename)));
349   AddCoverageTripleToColumn(FCS.FunctionCoverage.getExecuted(),
350                             FCS.FunctionCoverage.getNumFunctions(),
351                             FCS.FunctionCoverage.getPercentCovered());
352   if (Opts.ShowInstantiationSummary)
353     AddCoverageTripleToColumn(FCS.InstantiationCoverage.getExecuted(),
354                               FCS.InstantiationCoverage.getNumFunctions(),
355                               FCS.InstantiationCoverage.getPercentCovered());
356   AddCoverageTripleToColumn(FCS.LineCoverage.getCovered(),
357                             FCS.LineCoverage.getNumLines(),
358                             FCS.LineCoverage.getPercentCovered());
359   if (Opts.ShowRegionSummary)
360     AddCoverageTripleToColumn(FCS.RegionCoverage.getCovered(),
361                               FCS.RegionCoverage.getNumRegions(),
362                               FCS.RegionCoverage.getPercentCovered());
363 
364   OS << tag("tr", join(Columns.begin(), Columns.end(), ""), "light-row");
365 }
366 
367 Error CoveragePrinterHTML::createIndexFile(
368     ArrayRef<std::string> SourceFiles,
369     const coverage::CoverageMapping &Coverage,
370     const CoverageFiltersMatchAll &Filters) {
371   // Emit the default stylesheet.
372   auto CSSOrErr = createOutputStream("style", "css", /*InToplevel=*/true);
373   if (Error E = CSSOrErr.takeError())
374     return E;
375 
376   OwnedStream CSS = std::move(CSSOrErr.get());
377   CSS->operator<<(CSSForCoverage);
378 
379   // Emit a file index along with some coverage statistics.
380   auto OSOrErr = createOutputStream("index", "html", /*InToplevel=*/true);
381   if (Error E = OSOrErr.takeError())
382     return E;
383   auto OS = std::move(OSOrErr.get());
384   raw_ostream &OSRef = *OS.get();
385 
386   assert(Opts.hasOutputDirectory() && "No output directory for index file");
387   emitPrelude(OSRef, Opts, getPathToStyle(""));
388 
389   // Emit some basic information about the coverage report.
390   if (Opts.hasProjectTitle())
391     OSRef << tag(ProjectTitleTag, escape(Opts.ProjectTitle, Opts));
392   OSRef << tag(ReportTitleTag, "Coverage Report");
393   if (Opts.hasCreatedTime())
394     OSRef << tag(CreatedTimeTag, escape(Opts.CreatedTimeStr, Opts));
395 
396   // Emit a link to some documentation.
397   OSRef << tag("p", "Click " +
398                         a("http://clang.llvm.org/docs/"
399                           "SourceBasedCodeCoverage.html#interpreting-reports",
400                           "here") +
401                         " for information about interpreting this report.");
402 
403   // Emit a table containing links to reports for each file in the covmapping.
404   // Exclude files which don't contain any regions.
405   OSRef << BeginCenteredDiv << BeginTable;
406   emitColumnLabelsForIndex(OSRef, Opts);
407   FileCoverageSummary Totals("TOTALS");
408   auto FileReports = CoverageReport::prepareFileReports(
409       Coverage, Totals, SourceFiles, Opts, Filters);
410   bool EmptyFiles = false;
411   for (unsigned I = 0, E = FileReports.size(); I < E; ++I) {
412     if (FileReports[I].FunctionCoverage.getNumFunctions())
413       emitFileSummary(OSRef, SourceFiles[I], FileReports[I]);
414     else
415       EmptyFiles = true;
416   }
417   emitFileSummary(OSRef, "Totals", Totals, /*IsTotals=*/true);
418   OSRef << EndTable << EndCenteredDiv;
419 
420   // Emit links to files which don't contain any functions. These are normally
421   // not very useful, but could be relevant for code which abuses the
422   // preprocessor.
423   if (EmptyFiles && Filters.empty()) {
424     OSRef << tag("p", "Files which contain no functions. (These "
425                       "files contain code pulled into other files "
426                       "by the preprocessor.)\n");
427     OSRef << BeginCenteredDiv << BeginTable;
428     for (unsigned I = 0, E = FileReports.size(); I < E; ++I)
429       if (!FileReports[I].FunctionCoverage.getNumFunctions()) {
430         std::string Link = buildLinkToFile(SourceFiles[I], FileReports[I]);
431         OSRef << tag("tr", tag("td", tag("pre", Link)), "light-row") << '\n';
432       }
433     OSRef << EndTable << EndCenteredDiv;
434   }
435 
436   OSRef << tag("h5", escape(Opts.getLLVMVersionString(), Opts));
437   emitEpilog(OSRef);
438 
439   return Error::success();
440 }
441 
442 void SourceCoverageViewHTML::renderViewHeader(raw_ostream &OS) {
443   OS << BeginCenteredDiv << BeginTable;
444 }
445 
446 void SourceCoverageViewHTML::renderViewFooter(raw_ostream &OS) {
447   OS << EndTable << EndCenteredDiv;
448 }
449 
450 void SourceCoverageViewHTML::renderSourceName(raw_ostream &OS, bool WholeFile) {
451   OS << BeginSourceNameDiv << tag("pre", escape(getSourceName(), getOptions()))
452      << EndSourceNameDiv;
453 }
454 
455 void SourceCoverageViewHTML::renderLinePrefix(raw_ostream &OS, unsigned) {
456   OS << "<tr>";
457 }
458 
459 void SourceCoverageViewHTML::renderLineSuffix(raw_ostream &OS, unsigned) {
460   // If this view has sub-views, renderLine() cannot close the view's cell.
461   // Take care of it here, after all sub-views have been rendered.
462   if (hasSubViews())
463     OS << EndCodeTD;
464   OS << "</tr>";
465 }
466 
467 void SourceCoverageViewHTML::renderViewDivider(raw_ostream &, unsigned) {
468   // The table-based output makes view dividers unnecessary.
469 }
470 
471 void SourceCoverageViewHTML::renderLine(raw_ostream &OS, LineRef L,
472                                         const LineCoverageStats &LCS,
473                                         unsigned ExpansionCol, unsigned) {
474   StringRef Line = L.Line;
475   unsigned LineNo = L.LineNo;
476 
477   // Steps for handling text-escaping, highlighting, and tooltip creation:
478   //
479   // 1. Split the line into N+1 snippets, where N = |Segments|. The first
480   //    snippet starts from Col=1 and ends at the start of the first segment.
481   //    The last snippet starts at the last mapped column in the line and ends
482   //    at the end of the line. Both are required but may be empty.
483 
484   SmallVector<std::string, 8> Snippets;
485   CoverageSegmentArray Segments = LCS.getLineSegments();
486 
487   unsigned LCol = 1;
488   auto Snip = [&](unsigned Start, unsigned Len) {
489     Snippets.push_back(Line.substr(Start, Len));
490     LCol += Len;
491   };
492 
493   Snip(LCol - 1, Segments.empty() ? 0 : (Segments.front()->Col - 1));
494 
495   for (unsigned I = 1, E = Segments.size(); I < E; ++I)
496     Snip(LCol - 1, Segments[I]->Col - LCol);
497 
498   // |Line| + 1 is needed to avoid underflow when, e.g |Line| = 0 and LCol = 1.
499   Snip(LCol - 1, Line.size() + 1 - LCol);
500 
501   // 2. Escape all of the snippets.
502 
503   for (unsigned I = 0, E = Snippets.size(); I < E; ++I)
504     Snippets[I] = escape(Snippets[I], getOptions());
505 
506   // 3. Use \p WrappedSegment to set the highlight for snippet 0. Use segment
507   //    1 to set the highlight for snippet 2, segment 2 to set the highlight for
508   //    snippet 3, and so on.
509 
510   Optional<StringRef> Color;
511   SmallVector<std::pair<unsigned, unsigned>, 2> HighlightedRanges;
512   auto Highlight = [&](const std::string &Snippet, unsigned LC, unsigned RC) {
513     if (getOptions().Debug)
514       HighlightedRanges.emplace_back(LC, RC);
515     return tag("span", Snippet, Color.getValue());
516   };
517 
518   auto CheckIfUncovered = [](const coverage::CoverageSegment *S) {
519     return S && S->HasCount && S->Count == 0;
520   };
521 
522   if (CheckIfUncovered(LCS.getWrappedSegment())) {
523     Color = "red";
524     if (!Snippets[0].empty())
525       Snippets[0] = Highlight(Snippets[0], 1, 1 + Snippets[0].size());
526   }
527 
528   for (unsigned I = 0, E = Segments.size(); I < E; ++I) {
529     const auto *CurSeg = Segments[I];
530     if (CurSeg->Col == ExpansionCol)
531       Color = "cyan";
532     else if ((!CurSeg->IsGapRegion || (Color && *Color == "red")) &&
533              CheckIfUncovered(CurSeg))
534       Color = "red";
535     else
536       Color = None;
537 
538     if (Color.hasValue())
539       Snippets[I + 1] = Highlight(Snippets[I + 1], CurSeg->Col,
540                                   CurSeg->Col + Snippets[I + 1].size());
541   }
542 
543   if (Color.hasValue() && Segments.empty())
544     Snippets.back() = Highlight(Snippets.back(), 1, 1 + Snippets.back().size());
545 
546   if (getOptions().Debug) {
547     for (const auto &Range : HighlightedRanges) {
548       errs() << "Highlighted line " << LineNo << ", " << Range.first << " -> ";
549       if (Range.second == 0)
550         errs() << "?";
551       else
552         errs() << Range.second;
553       errs() << "\n";
554     }
555   }
556 
557   // 4. Snippets[1:N+1] correspond to \p Segments[0:N]: use these to generate
558   //    sub-line region count tooltips if needed.
559 
560   if (shouldRenderRegionMarkers(Segments)) {
561     // Just consider the segments which start *and* end on this line.
562     for (unsigned I = 0, E = Segments.size() - 1; I < E; ++I) {
563       const auto *CurSeg = Segments[I];
564       if (!CurSeg->IsRegionEntry)
565         continue;
566       if (CurSeg->Count == LCS.getExecutionCount())
567         continue;
568 
569       Snippets[I + 1] =
570           tag("div", Snippets[I + 1] + tag("span", formatCount(CurSeg->Count),
571                                            "tooltip-content"),
572               "tooltip");
573 
574       if (getOptions().Debug)
575         errs() << "Marker at " << CurSeg->Line << ":" << CurSeg->Col << " = "
576                << formatCount(CurSeg->Count) << "\n";
577     }
578   }
579 
580   OS << BeginCodeTD;
581   OS << BeginPre;
582   for (const auto &Snippet : Snippets)
583     OS << Snippet;
584   OS << EndPre;
585 
586   // If there are no sub-views left to attach to this cell, end the cell.
587   // Otherwise, end it after the sub-views are rendered (renderLineSuffix()).
588   if (!hasSubViews())
589     OS << EndCodeTD;
590 }
591 
592 void SourceCoverageViewHTML::renderLineCoverageColumn(
593     raw_ostream &OS, const LineCoverageStats &Line) {
594   std::string Count = "";
595   if (Line.isMapped())
596     Count = tag("pre", formatCount(Line.getExecutionCount()));
597   std::string CoverageClass =
598       (Line.getExecutionCount() > 0) ? "covered-line" : "uncovered-line";
599   OS << tag("td", Count, CoverageClass);
600 }
601 
602 void SourceCoverageViewHTML::renderLineNumberColumn(raw_ostream &OS,
603                                                     unsigned LineNo) {
604   std::string LineNoStr = utostr(uint64_t(LineNo));
605   std::string TargetName = "L" + LineNoStr;
606   OS << tag("td", a("#" + TargetName, tag("pre", LineNoStr), TargetName),
607             "line-number");
608 }
609 
610 void SourceCoverageViewHTML::renderRegionMarkers(raw_ostream &,
611                                                  const LineCoverageStats &Line,
612                                                  unsigned) {
613   // Region markers are rendered in-line using tooltips.
614 }
615 
616 void SourceCoverageViewHTML::renderExpansionSite(raw_ostream &OS, LineRef L,
617                                                  const LineCoverageStats &LCS,
618                                                  unsigned ExpansionCol,
619                                                  unsigned ViewDepth) {
620   // Render the line containing the expansion site. No extra formatting needed.
621   renderLine(OS, L, LCS, ExpansionCol, ViewDepth);
622 }
623 
624 void SourceCoverageViewHTML::renderExpansionView(raw_ostream &OS,
625                                                  ExpansionView &ESV,
626                                                  unsigned ViewDepth) {
627   OS << BeginExpansionDiv;
628   ESV.View->print(OS, /*WholeFile=*/false, /*ShowSourceName=*/false,
629                   /*ShowTitle=*/false, ViewDepth + 1);
630   OS << EndExpansionDiv;
631 }
632 
633 void SourceCoverageViewHTML::renderInstantiationView(raw_ostream &OS,
634                                                      InstantiationView &ISV,
635                                                      unsigned ViewDepth) {
636   OS << BeginExpansionDiv;
637   if (!ISV.View)
638     OS << BeginSourceNameDiv
639        << tag("pre",
640               escape("Unexecuted instantiation: " + ISV.FunctionName.str(),
641                      getOptions()))
642        << EndSourceNameDiv;
643   else
644     ISV.View->print(OS, /*WholeFile=*/false, /*ShowSourceName=*/true,
645                     /*ShowTitle=*/false, ViewDepth);
646   OS << EndExpansionDiv;
647 }
648 
649 void SourceCoverageViewHTML::renderTitle(raw_ostream &OS, StringRef Title) {
650   if (getOptions().hasProjectTitle())
651     OS << tag(ProjectTitleTag, escape(getOptions().ProjectTitle, getOptions()));
652   OS << tag(ReportTitleTag, escape(Title, getOptions()));
653   if (getOptions().hasCreatedTime())
654     OS << tag(CreatedTimeTag,
655               escape(getOptions().CreatedTimeStr, getOptions()));
656 }
657 
658 void SourceCoverageViewHTML::renderTableHeader(raw_ostream &OS,
659                                                unsigned FirstUncoveredLineNo,
660                                                unsigned ViewDepth) {
661   std::string SourceLabel;
662   if (FirstUncoveredLineNo == 0) {
663     SourceLabel = tag("td", tag("pre", "Source"));
664   } else {
665     std::string LinkTarget = "#L" + utostr(uint64_t(FirstUncoveredLineNo));
666     SourceLabel =
667         tag("td", tag("pre", "Source (" +
668                                  a(LinkTarget, "jump to first uncovered line") +
669                                  ")"));
670   }
671 
672   renderLinePrefix(OS, ViewDepth);
673   OS << tag("td", tag("pre", "Line")) << tag("td", tag("pre", "Count"))
674      << SourceLabel;
675   renderLineSuffix(OS, ViewDepth);
676 }
677