1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788
|
#include "htmlfilter.h"
#include "logging_categories.h"
#include <Quotient/room.h>
#include <QtGui/QTextDocument>
#include <QtGui/QFontDatabase>
#include <QtCore/QXmlStreamReader>
#include <QtCore/QXmlStreamWriter>
#include <ranges>
#include <stack>
using namespace std;
using namespace Qt::StringLiterals;
namespace {
using namespace HtmlFilter;
inline QRegularExpression operator""_qre(const char* latin1s, size_t size)
{
return QRegularExpression(operator""_L1(latin1s, size));
}
enum Mode : unsigned char { QtToMatrix, MatrixToQt, GenericToQt };
class Processor : public QXmlStreamEntityResolver {
public:
[[nodiscard]] static Result process(QString html, Mode mode, const Context& context,
Options options = Default);
private:
const Mode mode;
const Options options;
const Context& context;
QXmlStreamWriter& writer;
qsizetype errorPos = -1;
QString errorString {};
Processor(Mode mode, Options options, const Context& context, QXmlStreamWriter& writer)
: mode(mode), options(options), context(context), writer(writer)
{}
Q_DISABLE_COPY_MOVE(Processor)
void runOn(const QString& html);
using rewrite_t = vector<pair<QString, QXmlStreamAttributes>>;
[[nodiscard]] rewrite_t filterTag(QStringView tag, QXmlStreamAttributes attributes);
void filterText(QString& text);
QString resolveUndeclaredEntity(const QString& name) override
{
return name == u"nbsp" ? u"\xa0"_s : QString();
}
};
constexpr auto permittedTags = std::to_array<QStringView>(
{u"font", u"del", u"h1", u"h2", u"h3", u"h4", u"h5", u"h6",
u"blockquote", u"p", u"a", u"ul", u"ol", u"sup", u"sub", u"li",
u"b", u"i", u"u", u"strong", u"em", u"s", u"code", u"hr",
u"br", u"div", u"table", u"thead", u"tbody", u"tr", u"th", u"td",
u"caption", u"pre", u"span", u"img", u"mx-reply"});
struct PassList {
QStringView tag;
vector<QStringView> allowedAttrs;
};
// See filterTag() on special processing of commented out tags/attributes
const auto passLists = std::to_array<PassList>({
{u"a", {u"name", u"target", /* u"href" - only from permittedSchemes */}},
{u"img", {u"width", u"height", u"alt", u"title", u"data-mx-emoticon", /* u"src" - only 'mxc:' */}},
{u"ol", {u"start"}},
{u"font", {u"color", u"data-mx-color", u"data-mx-bg-color"}},
{u"span", {u"color", u"data-mx-color", u"data-mx-bg-color"}},
// { u"code", { u"class" /* must start with 'language-' */ } }
});
constexpr auto permittedSchemes = std::to_array<QStringView>({
u"http:", u"https:", u"ftp:", u"mailto:", u"magnet:", u"matrix:", u"mxc:" /* MSC2398 */
});
constexpr auto htmlColorAttr = u"color";
constexpr auto htmlStyleAttr = u"style";
constexpr auto mxColorAttr = u"data-mx-color";
constexpr auto mxBgColorAttr = u"data-mx-bg-color";
#ifdef __cpp_lib_ranges_contains
constexpr auto rangeContains = ranges::contains;
#else
inline auto rangeContains(const auto& c, const auto& v)
{
return std::ranges::find(c, v) != std::ranges::end(c);
}
#endif
[[nodiscard]] QString mergeMarkdown(const QString& html)
{
// This code intends to merge user-entered Markdown+HTML markup
// (HTML-escaped at this point) into HTML exported by QTextDocument.
// Unfortunately, Markdown engine of QTextDocument is not dealing well
// with ampersands and &-escaped HTML entities inside HTML tags:
// see https://bugreports.qt.io/browse/QTBUG-91222
// Instead, Processor::runOn() splits segments between HTML tags and
// filterText() treats each of them as Markdown individually.
QXmlStreamReader reader(html);
QString mdWithHtml;
QXmlStreamWriter writer(&mdWithHtml);
while (reader.readNext() != QXmlStreamReader::StartElement || reader.qualifiedName() != u"p")
if (reader.atEnd()) {
Q_ASSERT_X(false, __FUNCTION__, "Malformed Qt markup");
qCCritical(HTMLFILTER) << "The passed text doesn't seem to come from QTextDocument";
return {};
}
int depth = 1; // Count <p> just entered
while (!reader.atEnd()) {
// Minimal validation, just pipe things through
// decoding what needs decoding
const auto tokenType = reader.readNext();
switch (tokenType) {
case QXmlStreamReader::Characters:
case QXmlStreamReader::EntityReference: {
auto text = reader.text().toString();
if (depth > 1)
break;
// Flush the writer's buffer before side-writing
writer.writeCharacters({});
mdWithHtml += text; // Append text as is
continue;
}
case QXmlStreamReader::StartElement:
++depth;
if (reader.qualifiedName() != u"p")
break;
// Convert <p> elements except the first one
// to Markdown paragraph breaks
writer.writeCharacters("\n\n");
continue;
case QXmlStreamReader::EndElement:
--depth;
if (reader.qualifiedName() == u"p")
continue; // See above in StartElement
break;
case QXmlStreamReader::Comment:
continue; // Just drop comments
default:
qCWarning(HTMLFILTER) << "Unexpected token, type" << tokenType;
}
if (depth < 0) {
Q_ASSERT(tokenType == QXmlStreamReader::EndElement && reader.qualifiedName() == u"body");
break;
}
writer.writeCurrentToken(reader);
}
writer.writeEndElement();
QTextDocument doc;
doc.setMarkdown(mdWithHtml);
return doc.toHtml();
}
[[nodiscard]] inline bool isTagNameTerminator(QChar c)
{
return c.isSpace() || c == '/' || c == '>';
}
/*! \brief Massage user HTML to look more like XHTML
*
* Since Qt doesn't have an HTML parser (outside of QTextDocument)
* Processor::runOn() uses QXmlStreamReader instead, and it's quite picky
* about properly closed tags and escaped ampersands. Processor::process()
* deals with the ampersands; this helper further tries to convert the passed
* HTML to something more XHTML-like, so that the XML reader doesn't choke on,
* e.g., unclosed `br` or `img` tags and minimised HTML attributes. It also
* filters away tags that are not compliant with Matrix specification, where
* appropriate.
*/
[[nodiscard]] Result preprocess(QString html, Mode mode, Options options)
{
Q_ASSERT(mode != QtToMatrix);
bool isFragment = options.testFlag(Fragment) || mode == MatrixToQt;
bool inHead = false;
for (auto pos = html.indexOf('<'); pos != -1; pos = html.indexOf('<', pos)) {
const auto tagNamePos = pos + 1 + (html[pos + 1] == '/');
const auto uncheckedHtml = QStringView(html).mid(tagNamePos);
static constexpr auto commentOpen = "!--"_L1;
static constexpr auto commentClose = "-->"_L1;
if (uncheckedHtml.startsWith(commentOpen)) { // Skip comments
pos = html.indexOf(commentClose, tagNamePos + commentOpen.size()) + commentClose.size();
continue;
}
// Look ahead to detect stray < and escape it
auto gtPos = html.indexOf('>', tagNamePos);
decltype(pos) nextLtPos;
if (gtPos == tagNamePos /* <> or </> */ || gtPos == -1 /* no more > */
|| ((nextLtPos = html.indexOf('<', tagNamePos)) != -1
&& nextLtPos < gtPos) /* there's another < before > */) {
static const auto to = u"<"_s;
html.replace(pos, 1, to);
pos += to.size(); // Put pos after the escaped sequence
continue;
}
if (uncheckedHtml.startsWith(u"head>", Qt::CaseInsensitive)) {
if (mode == MatrixToQt) {
// Matrix spec doesn't allow <head>; report if it occurs in
// user input (Validate is on) or remove the whole header if
// it comes from the wire (Validate is off).
if (options.testFlag(Validate))
return { {}, pos, u"<head> elements are not allowed in Matrix"_s };
static constexpr auto HeadEnd = "</head>"_L1;
const auto headEndPos = html.indexOf(HeadEnd, tagNamePos, Qt::CaseInsensitive);
html.remove(pos, headEndPos - pos + HeadEnd.size());
continue;
}
Q_ASSERT(mode == GenericToQt);
inHead = html[pos + 1] != '/'; // Track header entry and exit
if (!inHead) { // Just exited, </head>
pos = gtPos + 1;
continue;
}
}
const auto tagEndIt = ranges::find_if(uncheckedHtml, isTagNameTerminator);
const auto tag = uncheckedHtml.left(tagEndIt - uncheckedHtml.cbegin()).toString().toLower();
// <head> contents are necessary to apply styles but obviously
// neither `head` nor tags inside of it are in permittedTags;
// however, minimised attributes still have to be handled everywhere
// and <meta> tags should be closed
if (mode == GenericToQt && (tag == u"html" || tag == u"body")) {
// Only in generic mode, allow <html> and <body>
pos += tagNamePos + tag.size() + 1;
isFragment = false;
continue;
}
// Check if it's a valid (opening or closing) tag allowed in Matrix
if (!inHead && !rangeContains(permittedTags, tag)) {
// Invalid tag or non-tag - either remove the abusing piece or stop and report
if (options.testFlag(Validate))
return {{},
pos,
u"Non-tag or disallowed tag: "_s % uncheckedHtml.left(gtPos - tagNamePos)};
html.remove(pos, gtPos - pos + 1);
continue;
}
// Treat minimised attributes
// (https://www.w3.org/TR/xhtml1/diffs.html#h-4.5)
// There's no simple way to replace all occurrences within
// a string segment; so just go through the segment and insert
// `=''` after minimized attributes.
// This is not the place to _filter_ allowed/disallowed attributes -
// filtering is left for filterTag()
static const auto MinAttrRE =
R"(([^[:space:]>/"'=]+)\s*(=\s*([^[:space:]>/"']|"[^"]*"|'[^']*')+)?)"_qre;
pos = tagNamePos + tag.size();
QRegularExpressionMatch m;
while ((m = MinAttrRE.match(html, pos)).hasMatch() && m.capturedEnd(1) < gtPos) {
pos = m.capturedEnd();
if (m.captured(2).isEmpty()) {
static const auto attrValue = u"=''"_s;
html.insert(m.capturedEnd(1), attrValue);
gtPos += attrValue.size();
pos += attrValue.size();
}
}
// Make sure empty elements are properly closed
static const QRegularExpression EmptyElementRE{"^img|[hb]r|meta$"_L1,
QRegularExpression::CaseInsensitiveOption};
if (html[gtPos - 1] != '/' && EmptyElementRE.match(tag).hasMatch()) {
html.insert(gtPos, '/');
++gtPos;
}
pos = gtPos + 1;
Q_ASSERT(pos > 0);
}
// Wrap in a no-op tag to make the text look like valid XML if it's
// a fragment (always the case when HTML comes from a homeserver, and
// possibly with generic HTML).
if (isFragment)
html = "<span>" % html % "</span>";
// Discard characters behind the last tag (LibreOffice attaches \n\0, e.g.)
html.truncate(html.lastIndexOf('>') + 1);
return { html };
}
Result Processor::process(QString html, Mode mode, const Context& context, Options options)
{
// Since Qt doesn't have an HTML parser (outside of QTextDocument; and
// the one in QTextDocument is opinionated and not configurable)
// Processor::runOn() uses QXmlStreamReader instead. Being an XML parser,
// this class is quite picky about properly closed tags and escaped
// ampersands. Before passing to runOn(), the following code tries to bring
// the passed HTML to something more XHTML-like, so that the XML parser
// doesn't choke on things HTML-but-not-XML. In QtToMatrix mode the only
// such thing is unescaped ampersands in attributes (especially `href`),
// since QTextDocument::toHtml() produces (otherwise) valid XHTML. In other
// modes no such assumption can be made so an attempt is taken to close
// elements that are normally empty (`br`, `hr` and `img`), turn minimised
// attributes to their full interpretations (`disabled -> disabled=''`)
// and remove things that are obvious non-tags around unescaped `<`
// characters.
// 1. Escape ampersands outside of character entities
static const auto freestandingAmps =
"&(?!(#[0-9]+|#x[0-9a-fA-F]+|[[:alpha:]_][-[:alnum:]_:.]*);)"_qre;
html.replace(freestandingAmps, QStringLiteral("&"));
if (mode != GenericToQt) {
// Handling control codes (excluding, for this discussion, \n, \r, and \t) in HTML is
// somewhat messy. HTML 4 and XML 1.0 and XHTML 1.0 all disallow C0/C1 control codes in any
// form. XML 1.1 allows them as numeric character references (aka NCRs) but
// QXmlStreamReader only implements XML 1.0 and doesn't accept them even as NCRs.
// Meanwhile, QTextDocument emits control codes to HTML without any conversion, formally
// violating HTML 4 spec (https://bugreports.qt.io/browse/QTBUG-122466) and, more
// importantly for this code, upsetting QXmlStreamReader (#900). HTML 5 (which Matrix HTML
// is - assumed to be - based on) formally disallows control codes too, adding \f to the
// allowed exclusions (see https://dev.w3.org/html5/spec-LC/syntax.html#text-0) which gives
// us the right to eliminate control characters from Matrix payloads, even though the Web
// generally seems to admit them as NCRs.
// NB: [:cntrl:] doesn't work because it includes the allowed \n, \r, \t
static const auto controlCharRE = R"([\x01-\x08\x0b\x0c\x0e-\x1f\x7f-\x9f])"_qre;
html.remove(controlCharRE);
}
if (mode == QtToMatrix) {
if (options.testFlag(ConvertMarkdown)) {
// The processor handles Markdown in chunks between HTML tags;
// <br /> breaks character sequences that are otherwise valid
// Markdown, leading to issues with, e.g., lists.
html.replace(QStringLiteral("<br />"), QStringLiteral("\n"));
#if 0
html = mergeMarkdown(html);
if (html.isEmpty())
return { "", 0, "This markup doesn't seem to be sourced from Qt" };
options &= ~ConvertMarkdown;
#endif
}
} else {
auto r = preprocess(html, mode, options);
if (r.errorPos != -1)
return r;
html = r.filteredHtml;
}
QString resultHtml;
QXmlStreamWriter writer(&resultHtml);
writer.setAutoFormatting(false);
Processor p { mode, options, context, writer };
p.runOn(html);
return { resultHtml.trimmed(), p.errorPos, p.errorString };
}
void Processor::runOn(const QString &html)
{
QXmlStreamReader reader(html);
reader.setEntityResolver(this);
/// The entry in the (outer) stack corresponds to each level in the source
/// document; the (inner) stack in each entry records open elements in the
/// target document.
using open_tags_t = stack<QString, vector<QString>>;
stack<open_tags_t, vector<open_tags_t>> tagsStack;
/// Accumulates characters and resolved entry references until the next
/// tag (opening or closing); used to linkify (or process Markdown in)
/// text parts.
QString textBuffer;
decltype(reader.characterOffset()) bodyOffset = 0;
bool firstElement = true, inAnchor = false;
while (!reader.atEnd()) {
const auto tokenType = reader.readNext();
if (bodyOffset == -1) // See below in 'case StartElement:'
bodyOffset = reader.characterOffset();
if (!textBuffer.isEmpty() && !reader.isCharacters() && !reader.isEntityReference())
filterText(textBuffer);
switch (tokenType) {
case QXmlStreamReader::StartElement: {
const auto& tagName = reader.qualifiedName();
if (tagsStack.empty()) {
// These tags are invalid anywhere deeper, and we don't even
// care to put them to tagsStack
if (tagName == u"html") {
if (mode == GenericToQt)
writer.writeCurrentToken(reader);
break; // Otherwise, just ignore, get to the content inside
}
if (tagName == u"head") {
// <head> is only needed for Qt to import HTML more
// accurately, and entirely uninteresting in other modes
if (mode != GenericToQt) {
reader.skipCurrentElement();
break;
}
// Copy through the whole <head> element - having
// QXmlStreamWriter::writeCurrentElement() would help
// but there's none such
do {
writer.writeCurrentToken(reader);
const auto nextTokenType = reader.readNext();
if (nextTokenType == QXmlStreamReader::EndElement
&& reader.qualifiedName() == u"head") {
writer.writeCurrentToken(reader);
break;
}
} while (!reader.atEnd());
continue;
}
if (tagName == u"body") {
if (mode == GenericToQt)
writer.writeCurrentToken(reader);
// Except importing HTML into QTextDocument, skip just like
// <html> but record the position for error reporting
// (FIXME: this position is still not exactly related to
// the original text...)
bodyOffset = -1; // See the end of the while loop
break;
}
}
if (options.testFlag(StripMxReply) && tagName == u"mx-reply") {
reader.skipCurrentElement();
continue;
}
const auto& attrs = reader.attributes();
if (ranges::any_of(attrs, [](const auto& a) {
return a.qualifiedName() == u"style"
&& a.value().contains(u"-qt-paragraph-type:empty");
})) { // Hidden text block, just skip it
reader.skipCurrentElement();
continue;
}
tagsStack.emplace();
if (tagsStack.size() > 100)
qCCritical(HTMLFILTER) << "CS API spec limits HTML tags depth at 100";
// Qt hardcodes the link style in a `<span>` under `<a>`.
// This breaks the looks on the receiving side if the sender
// uses a different style of links from that of the receiver.
// Since Qt decorates links when importing HTML anyway, we
// don't lose anything if we just strip away this span tag.
if (mode != MatrixToQt && inAnchor && textBuffer.isEmpty() && tagName == u"span"
&& attrs.size() == 1 && attrs.front().qualifiedName() == u"style")
continue; // inAnchor == true ==> firstElement == false
// Skip the first top-level <p> and replace further top-level
// `<p>...</p>` with `<br/>...` - kinda controversial but
// there's no cleaner way to get rid of the single top-level <p>
// generated by Qt without assuming that it's the only <p>
// spanning the whole body (copy-pasting rich text from other
// editors can bring several legitimate paragraphs of text,
// e.g.). This is also a very special case where a converted tag
// is immediately closed, unlike the one in the source text;
// which is why it's checked here rather than in filterTag().
if (mode == QtToMatrix && tagName == u"p"
&& tagsStack.size() == 1 /* top-level, just emplaced */) {
if (firstElement)
continue; // Skip unsetting firstElement at the loop end
writer.writeEmptyElement(u"br"_s);
break;
}
if (tagName != u"mx-reply" || (firstElement && !options.testFlag(Fragment))) {
// ^ The spec only allows `<mx-reply>` at the very beginning
// and it's not supposed to be in the user input
const auto& rewrite = filterTag(tagName, attrs);
for (const auto& [rewrittenTag, rewrittenAttrs]: rewrite) {
tagsStack.top().push(rewrittenTag);
writer.writeStartElement(rewrittenTag);
writer.writeAttributes(rewrittenAttrs);
if (rewrittenTag == u"a")
inAnchor = true;
}
}
break;
}
case QXmlStreamReader::Characters:
case QXmlStreamReader::EntityReference: {
if (firstElement && mode == QtToMatrix) {
// Remove the line break Qt inserts after <body> because it
// adds an unnecessary whitespace in the HTML context and
// an unnecessary line break in the Markdown context.
if (reader.text().startsWith('\n')) {
textBuffer += reader.text().mid(1);
continue; // Maintain firstElement
}
}
// Outside of links, defer writing until the next non-character,
// non-entity reference token in order to pass the whole text
// piece to filterText() with all entity references resolved.
if (!inAnchor && !options.testFlag(Fragment))
textBuffer += reader.text();
else
writer.writeCurrentToken(reader);
break;
}
case QXmlStreamReader::EndElement:
if (tagsStack.empty()) {
const auto& tagName = reader.qualifiedName();
if (tagName != u"body" && tagName != u"html")
qCWarning(HTMLFILTER)
<< "Empty tags stack, skipping" << ('/' + tagName.toString());
break;
}
// Close as many elements as were opened in case StartElement
for (auto& t = tagsStack.top(); !t.empty(); t.pop()) {
writer.writeEndElement();
if (t.top() == u"a")
inAnchor = false;
}
tagsStack.pop();
break;
case QXmlStreamReader::EndDocument:
if (!tagsStack.empty())
qCWarning(HTMLFILTER) << "Not all HTML tags closed at the document end";
if (mode == GenericToQt)
writer.writeEndDocument(); // </body></html>
break;
case QXmlStreamReader::NoToken:
Q_ASSERT(reader.tokenType() != QXmlStreamReader::NoToken /*false*/);
break;
case QXmlStreamReader::Invalid: {
errorPos = reader.characterOffset() - bodyOffset;
errorString = reader.errorString();
qCCritical(HTMLFILTER) << "Invalid XHTML:" << html;
qCCritical(HTMLFILTER).nospace() << "Error at char " << errorPos << ": " << errorString;
const auto remainder = QStringView(html).mid(reader.characterOffset());
qCCritical(HTMLFILTER).nospace()
<< "Buffer at error: " << remainder << ", " << html.size() - reader.characterOffset()
<< " character(s) remaining";
break;
}
case QXmlStreamReader::Comment:
case QXmlStreamReader::StartDocument:
case QXmlStreamReader::DTD:
case QXmlStreamReader::ProcessingInstruction:
continue; // All these should not affect firstElement state
}
// Unset first element once encountered non-whitespace under `<body>`
// NB: all `continue` statements above intentionally bypass this
firstElement &= (bodyOffset <= 0 || reader.isWhitespace());
}
}
template <size_t Len>
inline QStringView cssValue(QStringView css, const char16_t (&propertyNameWithColon)[Len])
{
return css.startsWith(propertyNameWithColon) ? css.mid(Len - 1).trimmed() : QStringView();
}
Processor::rewrite_t Processor::filterTag(QStringView tag, QXmlStreamAttributes attributes)
{
if (mode == MatrixToQt) {
if (tag == u"del" || tag == u"strike") { // Qt doesn't support these...
QXmlStreamAttributes attrs;
attrs.append(u"style"_s, u"text-decoration:line-through"_s);
return { { u"font"_s, std::move(attrs) } };
}
if (tag == u"mx-reply")
return { { u"div"_s, {} } }; // The spec says that mx-reply is HTML div
// If `mx-reply` is encountered on the way to the wire, just pass it
}
rewrite_t rewrite { { tag.toString(), {} } };
if (tag == u"code" && mode != GenericToQt) { // Special case
ranges::copy_if(attributes, back_inserter(rewrite.back().second), [](const auto& a) {
return a.qualifiedName() == u"class" && a.value().startsWith(u"language-");
});
return rewrite;
}
if (!rangeContains(permittedTags, tag))
return {}; // The tag is not allowed
const auto it = ranges::find(passLists, tag, &PassList::tag);
if (it == end(passLists))
return rewrite; // Drop all attributes, pass the tag
/// Find the first element in the rewrite that would accept color
/// attributes (`font` and, only in Matrix HTML, `span`),
/// and add the passed attribute to it
const auto& addColorAttr = [&rewrite, this](QStringView attrName, QStringView attrValue) {
auto colourableIt = ranges::find_if(rewrite, [this](const rewrite_t::value_type& element) {
return element.first == "font" || (mode == QtToMatrix && element.first == "span");
});
if (colourableIt == rewrite.end())
colourableIt = rewrite.insert(rewrite.end(), { u"font"_s, {} });
colourableIt->second.append(attrName.toString(), attrValue.toString());
};
const auto& passList = it->allowedAttrs;
for (auto&& a: attributes) {
const auto aName = a.qualifiedName();
const auto aValue = a.value();
// Attribute conversions between Matrix and Qt subsets; generic HTML
// is treated as possibly-Matrix
if (mode != QtToMatrix) {
if (aName == mxColorAttr) {
addColorAttr(htmlColorAttr, aValue.toString());
continue;
}
if (aName == mxBgColorAttr) {
rewrite.front().second.append(QString::fromUtf16(htmlStyleAttr),
"background-color:" + aValue.toString());
continue;
}
} else {
if (aName == htmlStyleAttr) {
// 'style' attribute is not allowed in Matrix; convert
// everything possible to tags and other attributes
const auto& cssProperties = aValue.split(';');
for (auto p: cssProperties) {
p = p.trimmed();
if (p.isEmpty())
continue;
if (const auto& v = cssValue(p, u"color:"); !v.isEmpty()) {
addColorAttr(mxColorAttr, v);
} else if (const auto& v = cssValue(p, u"background-color:"); !v.isEmpty())
addColorAttr(mxBgColorAttr, v);
else if (const auto& v = cssValue(p, u"font-weight:");
v == u"bold" || v == u"bolder" || v.toFloat() > 500)
rewrite.emplace_back().first = u"b"_s;
else if (const auto& v = cssValue(p, u"font-style:");
v == u"italic" || v.startsWith(u"oblique"))
rewrite.emplace_back().first = u"i"_s;
else if (const auto& v = cssValue(p, u"text-decoration:");
v.contains(u"line-through"))
rewrite.emplace_back().first = u"del"_s;
else {
const auto& fontFamilies = cssValue(p, u"font-family:").split(',');
for (auto ff : views::transform(fontFamilies, &QStringView::trimmed)
| views::filter(std::not_fn(&QStringView::empty))) {
if (ff.front() == '\'' || ff.front() == '"')
ff = ff.mid(1, ff.size() - 2);
if (QFontDatabase::isFixedPitch(ff.toString())) {
rewrite.emplace_back().first = u"code"_s;
break;
}
}
}
}
continue;
}
if (aName == htmlColorAttr)
addColorAttr(mxColorAttr, aValue); // Add to 'color'
}
// Enrich mxc source URLs for images with the context so that NAM could resolve them
if (tag == u"img" && aName == u"src" && aValue.startsWith(u"mxc:")) {
auto url = QUrl::fromUserInput(aValue.toString());
if (mode == QtToMatrix) {
// Make sure the mxc URL is just that, with no internal extras
QUrlQuery q{url.query()};
for (const auto& k : {u"user_id"_s, u"room_id"_s, u"event_id"_s})
q.removeAllQueryItems(k);
url.setQuery(q);
a = QXmlStreamAttribute(aName.toString(), url.toString(QUrl::FullyEncoded));
} else if (context.room) {
a = QXmlStreamAttribute(aName.toString(),
context.room
->makeMediaUrl(context.eventId,
QUrl::fromUserInput(aValue.toString()))
.toString(QUrl::FullyEncoded));
}
rewrite.front().second.push_back(std::move(a));
}
// Generic filtering for attributes
if ((mode == GenericToQt && (aName == htmlStyleAttr || aName == u"class" || aName == u"id"))
|| (tag == u"a" && aName == u"href"
&& ranges::any_of(permittedSchemes,
[&aValue](QStringView s) { return aValue.startsWith(s); }))
|| rangeContains(passList, a.qualifiedName()))
rewrite.front().second.push_back(std::move(a));
} // for (a: attributes)
// Remove the original <font> or <span> if they end up without attributes
// since without attributes they are no-op
if (!rewrite.empty()
&& (rewrite.front().first == "font" || rewrite.front().first == "span")
&& rewrite.front().second.empty())
rewrite.erase(rewrite.begin());
return rewrite;
}
void Processor::filterText(QString& text)
{
if (text.isEmpty())
return;
if (options.testFlag(ConvertMarkdown)) {
// Protect leading/trailing whitespaces (Markdown disregards them);
// specific string doesn't matter as long as it isn't whitespace itself,
// doesn't have special meaning in Markdown and doesn't occur in
// the HTML boilerplate that QTextDocument generates.
static constexpr auto Marker = "$$"_L1;
const bool hasLeadingWhitespace = text.cbegin()->isSpace();
if (hasLeadingWhitespace)
text.prepend(Marker);
const bool hasTrailingWhitespace = (text.cend() - 1)->isSpace();
if (hasTrailingWhitespace)
text.append(Marker);
const auto markerCount = text.count(Marker); // For self-check
#ifndef QTBUG_92445_FIXED
// Protect list items from https://bugreports.qt.io/browse/QTBUG-92445
// (see also https://spec.commonmark.org/0.29/#list-items)
static const auto ReOptions = QRegularExpression::MultilineOption;
static const QRegularExpression //
UlRE(u"^( *[-+*] {1,4})(?=[^ ])"_s, ReOptions),
OlRE(u"^( *[0-9]{1,9}+[.)] {1,4})(?=[^ ])"_s, ReOptions);
static constexpr auto UlMarker = "@@ul@@"_L1, OlMarker = "@@ol@@"_L1;
text.replace(UlRE, "\\1" % UlMarker);
text.replace(OlRE, "\\1" % OlMarker);
const auto markerCountOl = text.count(OlMarker);
const auto markerCountUl = text.count(UlMarker);
#endif
// Convert Markdown to HTML
QTextDocument doc;
doc.setMarkdown(text, QTextDocument::MarkdownNoHTML);
text = doc.toHtml();
// Delete protection characters, now buried inside HTML
#ifndef QTBUG_92445_FIXED
Q_ASSERT(text.count(OlMarker) == markerCountOl);
Q_ASSERT(text.count(UlMarker) == markerCountUl);
// After HTML conversion, list markers end up being after HTML tags
text.replace(QRegularExpression('>' % OlMarker), ">");
text.replace(QRegularExpression('>' % UlMarker), ">");
#endif
Q_ASSERT(text.count(Marker) == markerCount);
if (hasLeadingWhitespace)
text.remove(text.indexOf(Marker), Marker.size());
if (hasTrailingWhitespace)
text.remove(text.lastIndexOf(Marker), Marker.size());
} else {
text = text.toHtmlEscaped(); // The reader unescaped it
Quotient::linkifyUrls(text);
text = "<span>" % text % "</span>";
}
// Re-process this piece of text as HTML but dump text snippets as they are,
// without recursing into filterText() again
Processor(mode, Fragment, context, writer).runOn(text);
text.clear();
}
}
namespace HtmlFilter {
QString toMatrixHtml(const QString& qtMarkup, const Context& context, Options options)
{
// Validation of HTML emitted by Qt doesn't make much sense
Q_ASSERT(!options.testFlag(Validate));
const auto& result = Processor::process(qtMarkup, QtToMatrix, context, options);
Q_ASSERT(result.errorPos == -1);
return result.filteredHtml;
}
Result fromMatrixHtml(const QString& matrixHtml, const Context& context, Options options)
{
// Matrix HTML body should never be treated as Markdown
Q_ASSERT(!options.testFlag(ConvertMarkdown));
auto result = Processor::process(matrixHtml, MatrixToQt, context, options);
if (result.errorPos == -1) {
// Make sure to preserve whitespace sequences
result.filteredHtml =
"<span style=\"white-space: pre-wrap\">" % result.filteredHtml % "</span>";
}
return result;
}
Result fromLocalHtml(const QString& html, const Context& context, Options options)
{
return Processor::process(html, GenericToQt, context, options);
}
} // namespace HtmlFilter
|