xref: /llvm-project/clang/lib/Rewrite/HTMLRewrite.cpp (revision eb92dc0b09262ed29149bf4faaa74a38df738cec)
1 //== HTMLRewrite.cpp - Translate source code into prettified HTML --*- C++ -*-//
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 defines the HTMLRewriter clas, which is used to translate the
11 //  text of a source file into prettified HTML.
12 //
13 //===----------------------------------------------------------------------===//
14 
15 #include "clang/Lex/Preprocessor.h"
16 #include "clang/Rewrite/Rewriter.h"
17 #include "clang/Rewrite/HTMLRewrite.h"
18 #include "clang/Lex/TokenConcatenation.h"
19 #include "clang/Lex/Preprocessor.h"
20 #include "clang/Basic/SourceManager.h"
21 #include "llvm/ADT/SmallString.h"
22 #include "llvm/ADT/OwningPtr.h"
23 #include "llvm/Support/MemoryBuffer.h"
24 #include "llvm/Support/raw_ostream.h"
25 using namespace clang;
26 
27 
28 /// HighlightRange - Highlight a range in the source code with the specified
29 /// start/end tags.  B/E must be in the same file.  This ensures that
30 /// start/end tags are placed at the start/end of each line if the range is
31 /// multiline.
32 void html::HighlightRange(Rewriter &R, SourceLocation B, SourceLocation E,
33                           const char *StartTag, const char *EndTag) {
34   SourceManager &SM = R.getSourceMgr();
35   B = SM.getInstantiationLoc(B);
36   E = SM.getInstantiationLoc(E);
37   FileID FID = SM.getFileID(B);
38   assert(SM.getFileID(E) == FID && "B/E not in the same file!");
39 
40   unsigned BOffset = SM.getFileOffset(B);
41   unsigned EOffset = SM.getFileOffset(E);
42 
43   // Include the whole end token in the range.
44   EOffset += Lexer::MeasureTokenLength(E, R.getSourceMgr(), R.getLangOpts());
45 
46   bool Invalid = false;
47   const char *BufferStart = SM.getBufferData(FID, &Invalid).data();
48   if (Invalid)
49     return;
50 
51   HighlightRange(R.getEditBuffer(FID), BOffset, EOffset,
52                  BufferStart, StartTag, EndTag);
53 }
54 
55 /// HighlightRange - This is the same as the above method, but takes
56 /// decomposed file locations.
57 void html::HighlightRange(RewriteBuffer &RB, unsigned B, unsigned E,
58                           const char *BufferStart,
59                           const char *StartTag, const char *EndTag) {
60   // Insert the tag at the absolute start/end of the range.
61   RB.InsertTextAfter(B, StartTag);
62   RB.InsertTextBefore(E, EndTag);
63 
64   // Scan the range to see if there is a \r or \n.  If so, and if the line is
65   // not blank, insert tags on that line as well.
66   bool HadOpenTag = true;
67 
68   unsigned LastNonWhiteSpace = B;
69   for (unsigned i = B; i != E; ++i) {
70     switch (BufferStart[i]) {
71     case '\r':
72     case '\n':
73       // Okay, we found a newline in the range.  If we have an open tag, we need
74       // to insert a close tag at the first non-whitespace before the newline.
75       if (HadOpenTag)
76         RB.InsertTextBefore(LastNonWhiteSpace+1, EndTag);
77 
78       // Instead of inserting an open tag immediately after the newline, we
79       // wait until we see a non-whitespace character.  This prevents us from
80       // inserting tags around blank lines, and also allows the open tag to
81       // be put *after* whitespace on a non-blank line.
82       HadOpenTag = false;
83       break;
84     case '\0':
85     case ' ':
86     case '\t':
87     case '\f':
88     case '\v':
89       // Ignore whitespace.
90       break;
91 
92     default:
93       // If there is no tag open, do it now.
94       if (!HadOpenTag) {
95         RB.InsertTextAfter(i, StartTag);
96         HadOpenTag = true;
97       }
98 
99       // Remember this character.
100       LastNonWhiteSpace = i;
101       break;
102     }
103   }
104 }
105 
106 void html::EscapeText(Rewriter &R, FileID FID,
107                       bool EscapeSpaces, bool ReplaceTabs) {
108 
109   const llvm::MemoryBuffer *Buf = R.getSourceMgr().getBuffer(FID);
110   const char* C = Buf->getBufferStart();
111   const char* FileEnd = Buf->getBufferEnd();
112 
113   assert (C <= FileEnd);
114 
115   RewriteBuffer &RB = R.getEditBuffer(FID);
116 
117   unsigned ColNo = 0;
118   for (unsigned FilePos = 0; C != FileEnd ; ++C, ++FilePos) {
119     switch (*C) {
120     default: ++ColNo; break;
121     case '\n':
122     case '\r':
123       ColNo = 0;
124       break;
125 
126     case ' ':
127       if (EscapeSpaces)
128         RB.ReplaceText(FilePos, 1, "&nbsp;");
129       ++ColNo;
130       break;
131     case '\f':
132       RB.ReplaceText(FilePos, 1, "<hr>");
133       ColNo = 0;
134       break;
135 
136     case '\t': {
137       if (!ReplaceTabs)
138         break;
139       unsigned NumSpaces = 8-(ColNo&7);
140       if (EscapeSpaces)
141         RB.ReplaceText(FilePos, 1,
142                        llvm::StringRef("&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;"
143                                        "&nbsp;&nbsp;&nbsp;", 6*NumSpaces));
144       else
145         RB.ReplaceText(FilePos, 1, llvm::StringRef("        ", NumSpaces));
146       ColNo += NumSpaces;
147       break;
148     }
149     case '<':
150       RB.ReplaceText(FilePos, 1, "&lt;");
151       ++ColNo;
152       break;
153 
154     case '>':
155       RB.ReplaceText(FilePos, 1, "&gt;");
156       ++ColNo;
157       break;
158 
159     case '&':
160       RB.ReplaceText(FilePos, 1, "&amp;");
161       ++ColNo;
162       break;
163     }
164   }
165 }
166 
167 std::string html::EscapeText(const std::string& s, bool EscapeSpaces,
168                              bool ReplaceTabs) {
169 
170   unsigned len = s.size();
171   std::string Str;
172   llvm::raw_string_ostream os(Str);
173 
174   for (unsigned i = 0 ; i < len; ++i) {
175 
176     char c = s[i];
177     switch (c) {
178     default:
179       os << c; break;
180 
181     case ' ':
182       if (EscapeSpaces) os << "&nbsp;";
183       else os << ' ';
184       break;
185 
186     case '\t':
187       if (ReplaceTabs) {
188         if (EscapeSpaces)
189           for (unsigned i = 0; i < 4; ++i)
190             os << "&nbsp;";
191         else
192           for (unsigned i = 0; i < 4; ++i)
193             os << " ";
194       }
195       else
196         os << c;
197 
198       break;
199 
200     case '<': os << "&lt;"; break;
201     case '>': os << "&gt;"; break;
202     case '&': os << "&amp;"; break;
203     }
204   }
205 
206   return os.str();
207 }
208 
209 static void AddLineNumber(RewriteBuffer &RB, unsigned LineNo,
210                           unsigned B, unsigned E) {
211   llvm::SmallString<256> Str;
212   llvm::raw_svector_ostream OS(Str);
213 
214   OS << "<tr><td class=\"num\" id=\"LN"
215      << LineNo << "\">"
216      << LineNo << "</td><td class=\"line\">";
217 
218   if (B == E) { // Handle empty lines.
219     OS << " </td></tr>";
220     RB.InsertTextBefore(B, OS.str());
221   } else {
222     RB.InsertTextBefore(B, OS.str());
223     RB.InsertTextBefore(E, "</td></tr>");
224   }
225 }
226 
227 void html::AddLineNumbers(Rewriter& R, FileID FID) {
228 
229   const llvm::MemoryBuffer *Buf = R.getSourceMgr().getBuffer(FID);
230   const char* FileBeg = Buf->getBufferStart();
231   const char* FileEnd = Buf->getBufferEnd();
232   const char* C = FileBeg;
233   RewriteBuffer &RB = R.getEditBuffer(FID);
234 
235   assert (C <= FileEnd);
236 
237   unsigned LineNo = 0;
238   unsigned FilePos = 0;
239 
240   while (C != FileEnd) {
241 
242     ++LineNo;
243     unsigned LineStartPos = FilePos;
244     unsigned LineEndPos = FileEnd - FileBeg;
245 
246     assert (FilePos <= LineEndPos);
247     assert (C < FileEnd);
248 
249     // Scan until the newline (or end-of-file).
250 
251     while (C != FileEnd) {
252       char c = *C;
253       ++C;
254 
255       if (c == '\n') {
256         LineEndPos = FilePos++;
257         break;
258       }
259 
260       ++FilePos;
261     }
262 
263     AddLineNumber(RB, LineNo, LineStartPos, LineEndPos);
264   }
265 
266   // Add one big table tag that surrounds all of the code.
267   RB.InsertTextBefore(0, "<table class=\"code\">\n");
268   RB.InsertTextAfter(FileEnd - FileBeg, "</table>");
269 }
270 
271 void html::AddHeaderFooterInternalBuiltinCSS(Rewriter& R, FileID FID,
272                                              const char *title) {
273 
274   const llvm::MemoryBuffer *Buf = R.getSourceMgr().getBuffer(FID);
275   const char* FileStart = Buf->getBufferStart();
276   const char* FileEnd = Buf->getBufferEnd();
277 
278   SourceLocation StartLoc = R.getSourceMgr().getLocForStartOfFile(FID);
279   SourceLocation EndLoc = StartLoc.getFileLocWithOffset(FileEnd-FileStart);
280 
281   std::string s;
282   llvm::raw_string_ostream os(s);
283   os << "<!doctype html>\n" // Use HTML 5 doctype
284         "<html>\n<head>\n";
285 
286   if (title)
287     os << "<title>" << html::EscapeText(title) << "</title>\n";
288 
289   os << "<style type=\"text/css\">\n"
290       " body { color:#000000; background-color:#ffffff }\n"
291       " body { font-family:Helvetica, sans-serif; font-size:10pt }\n"
292       " h1 { font-size:14pt }\n"
293       " .code { border-collapse:collapse; width:100%; }\n"
294       " .code { font-family: \"Andale Mono\", monospace; font-size:10pt }\n"
295       " .code { line-height: 1.2em }\n"
296       " .comment { color: green; font-style: oblique }\n"
297       " .keyword { color: blue }\n"
298       " .string_literal { color: red }\n"
299       " .directive { color: darkmagenta }\n"
300       // Macro expansions.
301       " .expansion { display: none; }\n"
302       " .macro:hover .expansion { display: block; border: 2px solid #FF0000; "
303           "padding: 2px; background-color:#FFF0F0; font-weight: normal; "
304           "  -webkit-border-radius:5px;  -webkit-box-shadow:1px 1px 7px #000; "
305           "position: absolute; top: -1em; left:10em; z-index: 1 } \n"
306       " .macro { color: darkmagenta; background-color:LemonChiffon;"
307              // Macros are position: relative to provide base for expansions.
308              " position: relative }\n"
309       " .num { width:2.5em; padding-right:2ex; background-color:#eeeeee }\n"
310       " .num { text-align:right; font-size:8pt }\n"
311       " .num { color:#444444 }\n"
312       " .line { padding-left: 1ex; border-left: 3px solid #ccc }\n"
313       " .line { white-space: pre }\n"
314       " .msg { -webkit-box-shadow:1px 1px 7px #000 }\n"
315       " .msg { -webkit-border-radius:5px }\n"
316       " .msg { font-family:Helvetica, sans-serif; font-size:8pt }\n"
317       " .msg { float:left }\n"
318       " .msg { padding:0.25em 1ex 0.25em 1ex }\n"
319       " .msg { margin-top:10px; margin-bottom:10px }\n"
320       " .msg { font-weight:bold }\n"
321       " .msg { max-width:60em; word-wrap: break-word; white-space: pre-wrap }\n"
322       " .msgT { padding:0x; spacing:0x }\n"
323       " .msgEvent { background-color:#fff8b4; color:#000000 }\n"
324       " .msgControl { background-color:#bbbbbb; color:#000000 }\n"
325       " .mrange { background-color:#dfddf3 }\n"
326       " .mrange { border-bottom:1px solid #6F9DBE }\n"
327       " .PathIndex { font-weight: bold; padding:0px 5px 0px 5px; "
328         "margin-right:5px; }\n"
329       " .PathIndex { -webkit-border-radius:8px }\n"
330       " .PathIndexEvent { background-color:#bfba87 }\n"
331       " .PathIndexControl { background-color:#8c8c8c }\n"
332       " .CodeInsertionHint { font-weight: bold; background-color: #10dd10 }\n"
333       " .CodeRemovalHint { background-color:#de1010 }\n"
334       " .CodeRemovalHint { border-bottom:1px solid #6F9DBE }\n"
335       " table.simpletable {\n"
336       "   padding: 5px;\n"
337       "   font-size:12pt;\n"
338       "   margin:20px;\n"
339       "   border-collapse: collapse; border-spacing: 0px;\n"
340       " }\n"
341       " td.rowname {\n"
342       "   text-align:right; font-weight:bold; color:#444444;\n"
343       "   padding-right:2ex; }\n"
344       "</style>\n</head>\n<body>";
345 
346   // Generate header
347   R.InsertTextBefore(StartLoc, os.str());
348   // Generate footer
349 
350   R.InsertTextAfter(EndLoc, "</body></html>\n");
351 }
352 
353 /// SyntaxHighlight - Relex the specified FileID and annotate the HTML with
354 /// information about keywords, macro expansions etc.  This uses the macro
355 /// table state from the end of the file, so it won't be perfectly perfect,
356 /// but it will be reasonably close.
357 void html::SyntaxHighlight(Rewriter &R, FileID FID, const Preprocessor &PP) {
358   RewriteBuffer &RB = R.getEditBuffer(FID);
359 
360   const SourceManager &SM = PP.getSourceManager();
361   const llvm::MemoryBuffer *FromFile = SM.getBuffer(FID);
362   Lexer L(FID, FromFile, SM, PP.getLangOptions());
363   const char *BufferStart = L.getBufferStart();
364 
365   // Inform the preprocessor that we want to retain comments as tokens, so we
366   // can highlight them.
367   L.SetCommentRetentionState(true);
368 
369   // Lex all the tokens in raw mode, to avoid entering #includes or expanding
370   // macros.
371   Token Tok;
372   L.LexFromRawLexer(Tok);
373 
374   while (Tok.isNot(tok::eof)) {
375     // Since we are lexing unexpanded tokens, all tokens are from the main
376     // FileID.
377     unsigned TokOffs = SM.getFileOffset(Tok.getLocation());
378     unsigned TokLen = Tok.getLength();
379     switch (Tok.getKind()) {
380     default: break;
381     case tok::identifier: {
382       // Fill in Result.IdentifierInfo, looking up the identifier in the
383       // identifier table.
384       const IdentifierInfo *II =
385         PP.LookUpIdentifierInfo(Tok, BufferStart+TokOffs);
386 
387       // If this is a pp-identifier, for a keyword, highlight it as such.
388       if (II->getTokenID() != tok::identifier)
389         HighlightRange(RB, TokOffs, TokOffs+TokLen, BufferStart,
390                        "<span class='keyword'>", "</span>");
391       break;
392     }
393     case tok::comment:
394       HighlightRange(RB, TokOffs, TokOffs+TokLen, BufferStart,
395                      "<span class='comment'>", "</span>");
396       break;
397     case tok::wide_string_literal:
398       // Chop off the L prefix
399       ++TokOffs;
400       --TokLen;
401       // FALL THROUGH.
402     case tok::string_literal:
403       HighlightRange(RB, TokOffs, TokOffs+TokLen, BufferStart,
404                      "<span class='string_literal'>", "</span>");
405       break;
406     case tok::hash: {
407       // If this is a preprocessor directive, all tokens to end of line are too.
408       if (!Tok.isAtStartOfLine())
409         break;
410 
411       // Eat all of the tokens until we get to the next one at the start of
412       // line.
413       unsigned TokEnd = TokOffs+TokLen;
414       L.LexFromRawLexer(Tok);
415       while (!Tok.isAtStartOfLine() && Tok.isNot(tok::eof)) {
416         TokEnd = SM.getFileOffset(Tok.getLocation())+Tok.getLength();
417         L.LexFromRawLexer(Tok);
418       }
419 
420       // Find end of line.  This is a hack.
421       HighlightRange(RB, TokOffs, TokEnd, BufferStart,
422                      "<span class='directive'>", "</span>");
423 
424       // Don't skip the next token.
425       continue;
426     }
427     }
428 
429     L.LexFromRawLexer(Tok);
430   }
431 }
432 
433 namespace {
434 /// IgnoringDiagClient - This is a diagnostic client that just ignores all
435 /// diags.
436 class IgnoringDiagClient : public DiagnosticClient {
437   void HandleDiagnostic(Diagnostic::Level DiagLevel,
438                         const DiagnosticInfo &Info) {
439     // Just ignore it.
440   }
441 };
442 }
443 
444 /// HighlightMacros - This uses the macro table state from the end of the
445 /// file, to re-expand macros and insert (into the HTML) information about the
446 /// macro expansions.  This won't be perfectly perfect, but it will be
447 /// reasonably close.
448 void html::HighlightMacros(Rewriter &R, FileID FID, const Preprocessor& PP) {
449   // Re-lex the raw token stream into a token buffer.
450   const SourceManager &SM = PP.getSourceManager();
451   std::vector<Token> TokenStream;
452 
453   const llvm::MemoryBuffer *FromFile = SM.getBuffer(FID);
454   Lexer L(FID, FromFile, SM, PP.getLangOptions());
455 
456   // Lex all the tokens in raw mode, to avoid entering #includes or expanding
457   // macros.
458   while (1) {
459     Token Tok;
460     L.LexFromRawLexer(Tok);
461 
462     // If this is a # at the start of a line, discard it from the token stream.
463     // We don't want the re-preprocess step to see #defines, #includes or other
464     // preprocessor directives.
465     if (Tok.is(tok::hash) && Tok.isAtStartOfLine())
466       continue;
467 
468     // If this is a ## token, change its kind to unknown so that repreprocessing
469     // it will not produce an error.
470     if (Tok.is(tok::hashhash))
471       Tok.setKind(tok::unknown);
472 
473     // If this raw token is an identifier, the raw lexer won't have looked up
474     // the corresponding identifier info for it.  Do this now so that it will be
475     // macro expanded when we re-preprocess it.
476     if (Tok.is(tok::identifier)) {
477       // Change the kind of this identifier to the appropriate token kind, e.g.
478       // turning "for" into a keyword.
479       Tok.setKind(PP.LookUpIdentifierInfo(Tok)->getTokenID());
480     }
481 
482     TokenStream.push_back(Tok);
483 
484     if (Tok.is(tok::eof)) break;
485   }
486 
487   // Temporarily change the diagnostics object so that we ignore any generated
488   // diagnostics from this pass.
489   IgnoringDiagClient TmpDC;
490   Diagnostic TmpDiags(&TmpDC);
491 
492   // FIXME: This is a huge hack; we reuse the input preprocessor because we want
493   // its state, but we aren't actually changing it (we hope). This should really
494   // construct a copy of the preprocessor.
495   Preprocessor &TmpPP = const_cast<Preprocessor&>(PP);
496   Diagnostic *OldDiags = &TmpPP.getDiagnostics();
497   TmpPP.setDiagnostics(TmpDiags);
498 
499   // Inform the preprocessor that we don't want comments.
500   TmpPP.SetCommentRetentionState(false, false);
501 
502   // Enter the tokens we just lexed.  This will cause them to be macro expanded
503   // but won't enter sub-files (because we removed #'s).
504   TmpPP.EnterTokenStream(&TokenStream[0], TokenStream.size(), false, false);
505 
506   TokenConcatenation ConcatInfo(TmpPP);
507 
508   // Lex all the tokens.
509   Token Tok;
510   TmpPP.Lex(Tok);
511   while (Tok.isNot(tok::eof)) {
512     // Ignore non-macro tokens.
513     if (!Tok.getLocation().isMacroID()) {
514       TmpPP.Lex(Tok);
515       continue;
516     }
517 
518     // Okay, we have the first token of a macro expansion: highlight the
519     // instantiation by inserting a start tag before the macro instantiation and
520     // end tag after it.
521     std::pair<SourceLocation, SourceLocation> LLoc =
522       SM.getInstantiationRange(Tok.getLocation());
523 
524     // Ignore tokens whose instantiation location was not the main file.
525     if (SM.getFileID(LLoc.first) != FID) {
526       TmpPP.Lex(Tok);
527       continue;
528     }
529 
530     assert(SM.getFileID(LLoc.second) == FID &&
531            "Start and end of expansion must be in the same ultimate file!");
532 
533     std::string Expansion = EscapeText(TmpPP.getSpelling(Tok));
534     unsigned LineLen = Expansion.size();
535 
536     Token PrevTok = Tok;
537     // Okay, eat this token, getting the next one.
538     TmpPP.Lex(Tok);
539 
540     // Skip all the rest of the tokens that are part of this macro
541     // instantiation.  It would be really nice to pop up a window with all the
542     // spelling of the tokens or something.
543     while (!Tok.is(tok::eof) &&
544            SM.getInstantiationLoc(Tok.getLocation()) == LLoc.first) {
545       // Insert a newline if the macro expansion is getting large.
546       if (LineLen > 60) {
547         Expansion += "<br>";
548         LineLen = 0;
549       }
550 
551       LineLen -= Expansion.size();
552 
553       // If the tokens were already space separated, or if they must be to avoid
554       // them being implicitly pasted, add a space between them.
555       if (Tok.hasLeadingSpace() ||
556           ConcatInfo.AvoidConcat(PrevTok, Tok))
557         Expansion += ' ';
558 
559       // Escape any special characters in the token text.
560       Expansion += EscapeText(TmpPP.getSpelling(Tok));
561       LineLen += Expansion.size();
562 
563       PrevTok = Tok;
564       TmpPP.Lex(Tok);
565     }
566 
567 
568     // Insert the expansion as the end tag, so that multi-line macros all get
569     // highlighted.
570     Expansion = "<span class='expansion'>" + Expansion + "</span></span>";
571 
572     HighlightRange(R, LLoc.first, LLoc.second,
573                    "<span class='macro'>", Expansion.c_str());
574   }
575 
576   // Restore diagnostics object back to its own thing.
577   TmpPP.setDiagnostics(*OldDiags);
578 }
579