@covalent/markdown 10.5.1 → 10.5.3
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
|
@@ -128,11 +128,59 @@ function renderVideoElements(html) {
|
|
|
128
128
|
.replace(ytShort, convert)
|
|
129
129
|
.replace(ytPlaylist, convertPL);
|
|
130
130
|
}
|
|
131
|
+
/**
|
|
132
|
+
* Checks whether text contains markdown syntax patterns.
|
|
133
|
+
*/
|
|
134
|
+
function containsMarkdown(text) {
|
|
135
|
+
const markdownPatterns = [
|
|
136
|
+
/(?:^|\n)\s{0,3}#{1,6}\s/, // ATX headings
|
|
137
|
+
/(?:^|\n)\s{0,3}[-*+]\s/, // unordered list items
|
|
138
|
+
/(?:^|\n)\s{0,3}\d+\.\s/, // ordered list items
|
|
139
|
+
/(?:^|\n)\s{0,3}>\s/, // blockquotes
|
|
140
|
+
/\*\*.+?\*\*/s, // bold
|
|
141
|
+
/\[.+?\]\(.+?\)/s, // links
|
|
142
|
+
/!\[.*?\]\(.+?\)/s, // images
|
|
143
|
+
/`.+?`/, // inline code
|
|
144
|
+
/(?:^|\n)\s{0,3}```/, // fenced code blocks
|
|
145
|
+
/(?:^|\n)\s{0,3}---\s*(?:$|\n)/, // horizontal rules
|
|
146
|
+
];
|
|
147
|
+
return markdownPatterns.some((pattern) => pattern.test(text));
|
|
148
|
+
}
|
|
149
|
+
/**
|
|
150
|
+
* Finds the index of the matching closing tag, handling nested same-name tags.
|
|
151
|
+
*/
|
|
152
|
+
function findClosingTagIndex(str, tagName, searchFrom) {
|
|
153
|
+
const openPattern = new RegExp(`<${tagName}(?:\\s[^>]*)?>`, 'gi');
|
|
154
|
+
const closePattern = new RegExp(`</${tagName}\\s*>`, 'gi');
|
|
155
|
+
let depth = 1;
|
|
156
|
+
let pos = searchFrom;
|
|
157
|
+
while (pos < str.length && depth > 0) {
|
|
158
|
+
openPattern.lastIndex = pos;
|
|
159
|
+
closePattern.lastIndex = pos;
|
|
160
|
+
// we look for open and close tags starting from the end of the last match
|
|
161
|
+
const nextOpen = openPattern.exec(str);
|
|
162
|
+
const nextClose = closePattern.exec(str);
|
|
163
|
+
if (!nextClose)
|
|
164
|
+
return -1;
|
|
165
|
+
// if we find an open tag before a close tag, it means we have a nested tag, so we increase the depth
|
|
166
|
+
if (nextOpen && nextOpen.index < nextClose.index) {
|
|
167
|
+
depth++;
|
|
168
|
+
pos = nextOpen.index + nextOpen[0].length;
|
|
169
|
+
}
|
|
170
|
+
else {
|
|
171
|
+
depth--;
|
|
172
|
+
if (depth === 0)
|
|
173
|
+
return nextClose.index;
|
|
174
|
+
pos = nextClose.index + nextClose[0].length;
|
|
175
|
+
}
|
|
176
|
+
}
|
|
177
|
+
return -1;
|
|
178
|
+
}
|
|
131
179
|
|
|
132
180
|
const _c0 = ["*"];
|
|
133
181
|
function isAbsoluteUrl(currentHref) {
|
|
134
182
|
// Regular Expression to check url
|
|
135
|
-
const RgExp =
|
|
183
|
+
const RgExp = /^(?:[a-z]+:)?\/\//i;
|
|
136
184
|
return RgExp.test(currentHref);
|
|
137
185
|
}
|
|
138
186
|
// TODO: assumes it is a github url
|
|
@@ -169,11 +217,11 @@ function generateHref(currentHref, relativeHref) {
|
|
|
169
217
|
return '';
|
|
170
218
|
}
|
|
171
219
|
function normalizeHtmlHrefs(html, currentHref, fileLinkExtensions) {
|
|
172
|
-
|
|
173
|
-
|
|
174
|
-
|
|
175
|
-
|
|
176
|
-
|
|
220
|
+
const document = new DOMParser().parseFromString(html, 'text/html');
|
|
221
|
+
document
|
|
222
|
+
.querySelectorAll('a[href]')
|
|
223
|
+
.forEach((link) => {
|
|
224
|
+
try {
|
|
177
225
|
const url = new URL(link.href);
|
|
178
226
|
const originalHash = url.hash;
|
|
179
227
|
const isFileAnchorLink = isFileLink(link, fileLinkExtensions);
|
|
@@ -186,7 +234,8 @@ function normalizeHtmlHrefs(html, currentHref, fileLinkExtensions) {
|
|
|
186
234
|
else if (url.host === window.location.host) {
|
|
187
235
|
// hosts match, meaning URL MIGHT have been malformed by showdown
|
|
188
236
|
// url is a relative url or just a link to a part of the application
|
|
189
|
-
if (
|
|
237
|
+
if (currentHref &&
|
|
238
|
+
(url.pathname.endsWith('.md') || isFileAnchorLink)) {
|
|
190
239
|
// only check .md urls or urls ending with the fileLinkExtensions
|
|
191
240
|
const hrefWithoutHash = removeTrailingHash(link.getAttribute('href'));
|
|
192
241
|
url.href = generateHref(currentHref, hrefWithoutHash);
|
|
@@ -198,7 +247,7 @@ function normalizeHtmlHrefs(html, currentHref, fileLinkExtensions) {
|
|
|
198
247
|
link.target = isFileAnchorLink ? '_self' : '_blank';
|
|
199
248
|
}
|
|
200
249
|
else {
|
|
201
|
-
//
|
|
250
|
+
// Different host - external link
|
|
202
251
|
if (url.pathname.endsWith('.md')) {
|
|
203
252
|
if (originalHash) {
|
|
204
253
|
url.hash = genHeadingId(originalHash);
|
|
@@ -207,10 +256,16 @@ function normalizeHtmlHrefs(html, currentHref, fileLinkExtensions) {
|
|
|
207
256
|
}
|
|
208
257
|
link.target = '_blank';
|
|
209
258
|
}
|
|
210
|
-
}
|
|
211
|
-
|
|
212
|
-
|
|
213
|
-
|
|
259
|
+
}
|
|
260
|
+
catch {
|
|
261
|
+
// If URL parsing fails, check if it looks like an external http(s) link
|
|
262
|
+
const hrefAttr = (link.getAttribute('href') ?? '').trim();
|
|
263
|
+
if (hrefAttr.startsWith('http://') || hrefAttr.startsWith('https://')) {
|
|
264
|
+
link.target = '_blank';
|
|
265
|
+
}
|
|
266
|
+
}
|
|
267
|
+
});
|
|
268
|
+
return new XMLSerializer().serializeToString(document);
|
|
214
269
|
}
|
|
215
270
|
function normalizeImageSrcs(html, currentHref) {
|
|
216
271
|
if (currentHref) {
|
|
@@ -272,6 +327,57 @@ function changeStyleAlignmentToClass(html) {
|
|
|
272
327
|
}
|
|
273
328
|
return html;
|
|
274
329
|
}
|
|
330
|
+
/**
|
|
331
|
+
* Adds markdown="1" attribute to HTML block-level tags so that
|
|
332
|
+
* showdown parses any markdown nested inside them.
|
|
333
|
+
* Only adds the attribute when the tag's inner content contains markdown syntax.
|
|
334
|
+
*/
|
|
335
|
+
function addMarkdownAttrToHtmlTags(markdown) {
|
|
336
|
+
const voidElements = new Set([
|
|
337
|
+
'area',
|
|
338
|
+
'base',
|
|
339
|
+
'br',
|
|
340
|
+
'col',
|
|
341
|
+
'embed',
|
|
342
|
+
'hr',
|
|
343
|
+
'img',
|
|
344
|
+
'input',
|
|
345
|
+
'link',
|
|
346
|
+
'meta',
|
|
347
|
+
'param',
|
|
348
|
+
'source',
|
|
349
|
+
'track',
|
|
350
|
+
'wbr',
|
|
351
|
+
]);
|
|
352
|
+
const openTagRegex = /<([A-Za-z][A-Za-z0-9-]*)(\s[^>]*)?\s*>/g;
|
|
353
|
+
let result = '';
|
|
354
|
+
let lastIndex = 0;
|
|
355
|
+
let match;
|
|
356
|
+
while ((match = openTagRegex.exec(markdown)) !== null) {
|
|
357
|
+
const fullMatch = match[0];
|
|
358
|
+
const tagName = match[1];
|
|
359
|
+
const attrs = match[2] || '';
|
|
360
|
+
const tag = tagName.toLowerCase();
|
|
361
|
+
// Skip void elements, self-closing tags, or tags with existing markdown attr
|
|
362
|
+
if (voidElements.has(tag) ||
|
|
363
|
+
fullMatch.endsWith('/>') ||
|
|
364
|
+
/markdown\s*=/.test(attrs)) {
|
|
365
|
+
continue;
|
|
366
|
+
}
|
|
367
|
+
const contentStart = match.index + fullMatch.length;
|
|
368
|
+
const closingTagIndex = findClosingTagIndex(markdown, tagName, contentStart);
|
|
369
|
+
if (closingTagIndex === -1)
|
|
370
|
+
continue;
|
|
371
|
+
const innerContent = markdown.slice(contentStart, closingTagIndex);
|
|
372
|
+
if (containsMarkdown(innerContent)) {
|
|
373
|
+
result += markdown.slice(lastIndex, match.index);
|
|
374
|
+
result += fullMatch.replace(new RegExp(`<${tagName}(\\s|>)`), `<${tagName} markdown="1"$1`);
|
|
375
|
+
lastIndex = contentStart;
|
|
376
|
+
}
|
|
377
|
+
}
|
|
378
|
+
result += markdown.slice(lastIndex);
|
|
379
|
+
return result;
|
|
380
|
+
}
|
|
275
381
|
// Strips all the html tags in the html sand returns the text
|
|
276
382
|
function stripAllHtmlTags(input) {
|
|
277
383
|
let sanitized = input;
|
|
@@ -472,7 +578,9 @@ class TdMarkdownComponent {
|
|
|
472
578
|
converter.setOption('simpleLineBreaks', this._simpleLineBreaks);
|
|
473
579
|
converter.setOption('disableForced4SpacesIndentedSublists', true);
|
|
474
580
|
converter.setOption('emoji', true);
|
|
475
|
-
|
|
581
|
+
const markdownWithAttr = addMarkdownAttrToHtmlTags(markdownToParse);
|
|
582
|
+
const html = converter.makeHtml(markdownWithAttr);
|
|
583
|
+
return html;
|
|
476
584
|
}
|
|
477
585
|
static ɵfac = function TdMarkdownComponent_Factory(__ngFactoryType__) { return new (__ngFactoryType__ || TdMarkdownComponent)(i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i1.DomSanitizer), i0.ɵɵdirectiveInject(i0.NgZone)); };
|
|
478
586
|
static ɵcmp = /*@__PURE__*/ i0.ɵɵdefineComponent({ type: TdMarkdownComponent, selectors: [["td-markdown"]], hostVars: 2, hostBindings: function TdMarkdownComponent_HostBindings(rf, ctx) { if (rf & 2) {
|
|
@@ -503,7 +611,7 @@ class TdMarkdownComponent {
|
|
|
503
611
|
}], contentReady: [{
|
|
504
612
|
type: Output
|
|
505
613
|
}] }); })();
|
|
506
|
-
(() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(TdMarkdownComponent, { className: "TdMarkdownComponent", filePath: "lib/markdown.component.ts", lineNumber:
|
|
614
|
+
(() => { (typeof ngDevMode === "undefined" || ngDevMode) && i0.ɵsetClassDebugInfo(TdMarkdownComponent, { className: "TdMarkdownComponent", filePath: "lib/markdown.component.ts", lineNumber: 297 }); })();
|
|
507
615
|
|
|
508
616
|
class TdMarkdownLoaderService {
|
|
509
617
|
_http;
|
|
@@ -570,5 +678,5 @@ class CovalentMarkdownModule {
|
|
|
570
678
|
* Generated bundle index. Do not edit.
|
|
571
679
|
*/
|
|
572
680
|
|
|
573
|
-
export { CovalentMarkdownModule, TdMarkdownComponent, TdMarkdownLoaderService, genHeadingId, isAnchorLink, isFileLink, isGithubHref, isRawGithubHref, rawGithubHref, removeLeadingHash, removeTrailingHash, renderVideoElements, scrollToAnchor };
|
|
681
|
+
export { CovalentMarkdownModule, TdMarkdownComponent, TdMarkdownLoaderService, containsMarkdown, findClosingTagIndex, genHeadingId, isAnchorLink, isFileLink, isGithubHref, isRawGithubHref, rawGithubHref, removeLeadingHash, removeTrailingHash, renderVideoElements, scrollToAnchor };
|
|
574
682
|
//# sourceMappingURL=covalent-markdown.mjs.map
|
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"covalent-markdown.mjs","sources":["../../../../libs/markdown/src/lib/markdown-utils/markdown-utils.ts","../../../../libs/markdown/src/lib/markdown.component.ts","../../../../libs/markdown/src/lib/markdown.component.html","../../../../libs/markdown/src/lib/markdown-loader/markdown-loader.service.ts","../../../../libs/markdown/src/lib/markdown.module.ts","../../../../libs/markdown/src/covalent-markdown.ts"],"sourcesContent":["export function removeLeadingHash(str: string): string {\n if (str) {\n return str.replace(/^#+/, '');\n }\n return '';\n}\n\nexport function removeTrailingHash(str: string | null): string {\n if (str) {\n return str.replace(/#.*/, '');\n }\n return '';\n}\n\nexport function genHeadingId(str: string): string {\n if (str) {\n return removeLeadingHash(\n str\n .replace(/(_|-|\\s)+/g, '')\n // Remove certain special chars to create heading ids similar to those in github\n // borrowed from showdown\n // https://github.com/showdownjs/showdown/blob/main/src/subParsers/makehtml/headers.js#L94\n .replace(/[&+$,/:;=?@\"#{}|^¨~[\\]`\\\\*)(%.!'<>]/g, '')\n ).toLowerCase();\n }\n return '';\n}\n\nexport function scrollToAnchor(\n scope: HTMLElement,\n anchor: string,\n tryParent: boolean\n): boolean {\n if (scope && anchor) {\n const normalizedAnchor: string = genHeadingId(anchor);\n let headingToJumpTo: Element | null = null;\n const headingWithinComponent = scope.querySelector(\n `[id=\"${normalizedAnchor}\"]`\n );\n\n if (headingWithinComponent) {\n headingToJumpTo = headingWithinComponent;\n } else if (tryParent) {\n const parent = scope.parentElement;\n if (parent) {\n headingToJumpTo = parent.querySelector(`[id=\"${normalizedAnchor}\"]`);\n }\n }\n if (headingToJumpTo) {\n headingToJumpTo.scrollIntoView({ behavior: 'auto' });\n return true;\n }\n }\n return false;\n}\n\nexport function isAnchorLink(anchor?: HTMLAnchorElement): boolean {\n if (anchor) {\n const href = anchor.getAttribute('href');\n if (href) {\n return href.startsWith('#');\n }\n }\n return false;\n}\n\nexport function isFileLink(\n anchor: HTMLAnchorElement,\n fileExtensions: string[] | undefined\n): boolean {\n if (fileExtensions && fileExtensions.length) {\n const href = anchor.getAttribute('href');\n if (href) {\n return fileExtensions.some((fileExtension) =>\n href.endsWith(fileExtension)\n );\n }\n }\n return false;\n}\n\nconst RAW_GITHUB_HOSTNAME = 'raw.githubusercontent.com';\n\nexport function rawGithubHref(githubHref?: string): string {\n if (githubHref) {\n try {\n const url: URL = new URL(githubHref);\n if (url.hostname === RAW_GITHUB_HOSTNAME) {\n return url.href;\n } else if (isGithubHref(githubHref)) {\n url.hostname = RAW_GITHUB_HOSTNAME;\n url.pathname = url.pathname.split('/blob', 2).join('');\n return url.href;\n }\n } catch {\n return '';\n }\n }\n return '';\n}\n\nexport function isGithubHref(href?: string): boolean {\n try {\n const temp: URL = new URL(href ?? '');\n return temp.hostname === 'github.com';\n } catch {\n return false;\n }\n}\n\nexport function isRawGithubHref(href = ''): boolean {\n try {\n const temp: URL = new URL(href);\n return temp.hostname === RAW_GITHUB_HOSTNAME;\n } catch {\n return false;\n }\n}\n\nexport function renderVideoElements(html: string): string {\n const ytLongEmbed =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)(?:(?:www)?.)?youtube.(?:.+?)\\/(?:(?:embed\\/)([\\w-]{11})(\\?[\\w%;-]+(?:=[\\w%;-]+)?(?:&[\\w%;-]+(?:=[\\w%;-]+)?)*)?)]/gi;\n const ytLongWatch =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)(?:(?:www)?.)?youtube.(?:.+?)\\/(?:(?:watch\\?v=)([\\w-]{11})(&[\\w%;-]+(?:=[\\w%;-]+)?)*)]/gi;\n const ytShort =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)?youtu.be\\/([\\w-]{11})\\??([\\w%;-]+(?:=[\\w%;-]+)?(?:&[\\w%;-]+(?:=[\\w%;-]+)?)*)?]/gi;\n const ytPlaylist =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)(?:(?:www)?.)?youtube.(?:.+?)\\/(?:(?:playlist\\?list=)([\\w-]{34})(&[\\w%;-]+(?:=[\\w%;-]+)?)*)]/gi;\n\n function convert(match: string, id: string, flags: string): string {\n if (flags) {\n id += '?' + flags.replace(/&/gi, '&');\n }\n return `<iframe allow=\"fullscreen\" frameborder=\"0\" src=\"https://www.youtube.com/embed/${id}\"></iframe>`;\n }\n function convertPL(match: string, id: string, flags: string): string {\n if (flags) {\n id += flags.replace(/&/gi, '&');\n }\n return `<iframe allow=\"fullscreen\" frameborder=\"0\" src=\"https://www.youtube.com/embed/videoseries?list=${id}\"></iframe>`;\n }\n\n return html\n .replace(ytLongWatch, convert)\n .replace(ytLongEmbed, convert)\n .replace(ytShort, convert)\n .replace(ytPlaylist, convertPL);\n}\n","import {\n Component,\n AfterViewInit,\n ElementRef,\n Input,\n Output,\n EventEmitter,\n Renderer2,\n SecurityContext,\n OnChanges,\n SimpleChanges,\n HostBinding,\n NgZone,\n OnDestroy,\n} from '@angular/core';\nimport { DomSanitizer, SafeHtml } from '@angular/platform-browser';\nimport {\n scrollToAnchor,\n genHeadingId,\n isAnchorLink,\n removeTrailingHash,\n rawGithubHref,\n isGithubHref,\n isRawGithubHref,\n renderVideoElements,\n isFileLink,\n} from './markdown-utils/markdown-utils';\n\nimport * as showdown from 'showdown';\n\nfunction isAbsoluteUrl(currentHref: string): boolean {\n // Regular Expression to check url\n const RgExp = new RegExp('^(?:[a-z]+:)?//', 'i');\n return RgExp.test(currentHref);\n}\n\n// TODO: assumes it is a github url\n// allow override somehow\nfunction generateHref(currentHref: string, relativeHref: string): string {\n if (currentHref && relativeHref) {\n if (isAbsoluteUrl(currentHref)) {\n const currentUrl: URL = new URL(currentHref);\n const path: string = currentUrl.pathname\n .split('/')\n .slice(1, -1)\n .join('/');\n const correctUrl: URL = new URL(currentHref);\n\n if (relativeHref.startsWith('/')) {\n // url is relative to top level\n const orgAndRepo: string = path.split('/').slice(0, 3).join('/');\n correctUrl.pathname = `${orgAndRepo}${relativeHref}`;\n } else {\n correctUrl.pathname = `${path}/${relativeHref}`;\n }\n return correctUrl.href;\n } else {\n const path: string = currentHref.split('/').slice(0, -1).join('/');\n\n if (relativeHref.startsWith('/')) {\n return `${path}${relativeHref}`;\n } else {\n return `${path}/${relativeHref}`;\n }\n }\n }\n return '';\n}\n\nfunction normalizeHtmlHrefs(\n html: string,\n currentHref: string,\n fileLinkExtensions?: string[],\n): string {\n if (currentHref) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n document\n .querySelectorAll<HTMLAnchorElement>('a[href]')\n .forEach((link: HTMLAnchorElement) => {\n const url: URL = new URL(link.href);\n const originalHash: string = url.hash;\n const isFileAnchorLink = isFileLink(link, fileLinkExtensions);\n if (isAnchorLink(link)) {\n if (originalHash) {\n url.hash = genHeadingId(originalHash);\n link.href = url.hash;\n }\n } else if (url.host === window.location.host) {\n // hosts match, meaning URL MIGHT have been malformed by showdown\n // url is a relative url or just a link to a part of the application\n if (url.pathname.endsWith('.md') || isFileAnchorLink) {\n // only check .md urls or urls ending with the fileLinkExtensions\n\n const hrefWithoutHash: string = removeTrailingHash(\n link.getAttribute('href'),\n );\n\n url.href = generateHref(currentHref, hrefWithoutHash);\n\n if (originalHash) {\n url.hash = genHeadingId(originalHash);\n }\n link.href = url.href;\n }\n link.target = isFileAnchorLink ? '_self' : '_blank';\n } else {\n // url is absolute\n if (url.pathname.endsWith('.md')) {\n if (originalHash) {\n url.hash = genHeadingId(originalHash);\n }\n link.href = url.href;\n }\n link.target = '_blank';\n }\n });\n\n return new XMLSerializer().serializeToString(document);\n }\n return html;\n}\n\nfunction normalizeImageSrcs(html: string, currentHref: string): string {\n if (currentHref) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n document\n .querySelectorAll<HTMLImageElement>('img[src]')\n .forEach((image: HTMLImageElement) => {\n const src = image.getAttribute('src') ?? '';\n try {\n /* tslint:disable-next-line:no-unused-expression */\n new URL(src);\n if (isGithubHref(src)) {\n image.src = rawGithubHref(src);\n }\n } catch {\n image.src = generateHref(\n isGithubHref(currentHref)\n ? rawGithubHref(currentHref)\n : currentHref,\n src,\n );\n }\n // gh svgs need to have ?sanitize=true\n if (isRawGithubHref(image.src)) {\n const url: URL = new URL(image.src);\n if (url.pathname.endsWith('.svg')) {\n url.searchParams.set('sanitize', 'true');\n image.src = url.href;\n }\n }\n });\n\n return new XMLSerializer().serializeToString(document);\n }\n return html;\n}\n\nfunction addIdsToHeadings(html: string): string {\n if (html) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n document\n .querySelectorAll('h1, h2, h3, h4, h5, h6')\n .forEach((heading: Element) => {\n const strippedInnerHTML = stripAllHtmlTags(heading.innerHTML);\n const id: string = genHeadingId(strippedInnerHTML);\n heading.setAttribute('id', id);\n });\n return new XMLSerializer().serializeToString(document);\n }\n return html;\n}\n\nfunction changeStyleAlignmentToClass(html: string) {\n if (html) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n ['right', 'center', 'left'].forEach((alignment: string) => {\n document\n .querySelectorAll(`[style*='text-align:${alignment}']`)\n .forEach((style: Element) => {\n style.setAttribute('class', `markdown-align-${alignment}`);\n });\n });\n\n return new XMLSerializer().serializeToString(document);\n }\n\n return html;\n}\n\n// Strips all the html tags in the html sand returns the text\nfunction stripAllHtmlTags(input: string): string {\n let sanitized = input;\n let previous;\n\n do {\n previous = sanitized;\n sanitized = sanitized.replace(/<[^>]+>/g, '');\n } while (previous !== sanitized);\n\n return sanitized;\n}\n\n@Component({\n selector: 'td-markdown',\n styleUrls: ['./markdown.component.scss'],\n templateUrl: './markdown.component.html',\n})\nexport class TdMarkdownComponent\n implements OnChanges, AfterViewInit, OnDestroy\n{\n private _content!: string;\n private _simpleLineBreaks = false;\n private _hostedUrl!: string;\n private _anchor!: string;\n private _viewInit = false;\n private _fileLinkExtensions!: string[] | undefined;\n private _anchorListener?: VoidFunction;\n /**\n * .td-markdown class added to host so ::ng-deep gets scoped.\n */\n @HostBinding('class') class = 'td-markdown';\n\n /**\n * content?: string\n *\n * Markdown format content to be parsed as html markup.\n *\n * e.g. README.md content.\n */\n @Input()\n set content(content: string) {\n this._content = content;\n }\n\n /**\n * simpleLineBreaks?: string\n *\n * Sets whether newline characters inside paragraphs and spans are parsed as <br/>.\n * Defaults to false.\n */\n @Input()\n set simpleLineBreaks(simpleLineBreaks: boolean) {\n this._simpleLineBreaks = simpleLineBreaks;\n }\n\n /**\n * hostedUrl?: string\n *\n * If markdown contains relative paths, this is required to generate correct urls.\n *\n */\n @Input()\n set hostedUrl(hostedUrl: string) {\n this._hostedUrl = hostedUrl;\n }\n\n /**\n * anchor?: string\n *\n * Anchor to jump to.\n *\n */\n @Input()\n set anchor(anchor: string) {\n this._anchor = anchor;\n }\n\n /**\n * The file extensions to monitor for in anchor tags. If an anchor's `href` ends\n * with these extensions, an event will be emitted instead of performing the default click action.\n * Example values: [\".ipynb\", \".zip\", \".docx\"]\n */\n @Input()\n set fileLinkExtensions(extensions: string[] | undefined) {\n this._fileLinkExtensions = extensions;\n }\n\n /**\n * Event emitted when an anchor tag with an `href` matching the specified\n * fileLinkExtensions is clicked. The emitted value is the URL of the clicked anchor.\n */\n @Output() fileLinkClicked = new EventEmitter<URL>();\n\n /**\n * contentReady?: function\n * Event emitted after the markdown content rendering is finished.\n */\n @Output() contentReady: EventEmitter<void> = new EventEmitter<void>();\n\n constructor(\n private _renderer: Renderer2,\n private _elementRef: ElementRef,\n private _domSanitizer: DomSanitizer,\n private _ngZone: NgZone,\n ) {}\n\n ngOnChanges(changes: SimpleChanges): void {\n // only anchor changed\n if (\n changes['anchor'] &&\n !changes['content'] &&\n !changes['simpleLineBreaks'] &&\n !changes['hostedUrl']\n ) {\n scrollToAnchor(this._elementRef.nativeElement, this._anchor, true);\n } else {\n this.refresh();\n }\n }\n\n ngAfterViewInit(): void {\n if (!this._content) {\n this._loadContent(\n (<HTMLElement>this._elementRef.nativeElement).textContent,\n );\n }\n this._viewInit = true;\n\n // Caretaker note: the `scrollToAnchor` calls `element.scrollIntoView`, a native synchronous DOM\n // API and it doesn't require Angular running `ApplicationRef.tick()` each time the markdown component is clicked.\n // Host listener (added through `@HostListener`) cause Angular to add an event listener within the Angular zone.\n // It also calls `markViewDirty()` before calling the actual listener (the decorated class method).\n this._ngZone.runOutsideAngular(() => {\n this._anchorListener = this._renderer.listen(\n this._elementRef.nativeElement,\n 'click',\n (event: MouseEvent) => {\n const element: HTMLElement = <HTMLElement>event.srcElement;\n if (\n element.matches('a[href]') &&\n isAnchorLink(<HTMLAnchorElement>element)\n ) {\n this.handleAnchorClicks(event);\n } else if (\n element.matches('a[href]') &&\n isFileLink(<HTMLAnchorElement>element, this._fileLinkExtensions)\n ) {\n this.handleFileAnchorClicks(event);\n }\n },\n );\n });\n }\n\n ngOnDestroy(): void {\n this._anchorListener?.();\n }\n\n refresh(): void {\n if (this._content) {\n this._loadContent(this._content);\n } else if (this._viewInit) {\n this._loadContent(\n (<HTMLElement>this._elementRef.nativeElement).textContent,\n );\n }\n }\n\n /**\n * General method to parse a string markdown into HTML Elements and load them into the container\n */\n private _loadContent(markdown: string | null): void {\n if (markdown && markdown.trim().length > 0) {\n // Clean container\n this._renderer.setProperty(\n this._elementRef.nativeElement,\n 'innerHTML',\n '',\n );\n // Parse html string into actual HTML elements.\n this._elementFromString(this._render(markdown));\n }\n // TODO: timeout required since resizing of html elements occurs which causes a change in the scroll position\n this._ngZone.runOutsideAngular(() =>\n setTimeout(\n () =>\n scrollToAnchor(this._elementRef.nativeElement, this._anchor, true),\n 250,\n ),\n );\n this.contentReady.emit();\n }\n\n private handleAnchorClicks(event: Event): void {\n event.preventDefault();\n const url: URL = new URL((<HTMLAnchorElement>event.target).href);\n const hash: string = decodeURI(url.hash);\n scrollToAnchor(this._elementRef.nativeElement, hash, true);\n }\n\n private handleFileAnchorClicks(event: Event): void {\n event.preventDefault();\n const url: URL = new URL((<HTMLAnchorElement>event.target).href);\n this.fileLinkClicked.emit(url);\n }\n\n private _elementFromString(markupStr: string): HTMLDivElement {\n // Renderer2 doesnt have a parsing method, so we have to sanitize and use [innerHTML]\n // to parse the string into DOM element for now.\n const div: HTMLDivElement = this._renderer.createElement('div');\n this._renderer.appendChild(this._elementRef.nativeElement, div);\n\n const html: string =\n this._domSanitizer.sanitize(\n SecurityContext.STYLE,\n changeStyleAlignmentToClass(markupStr),\n ) ?? '';\n\n const htmlWithAbsoluteHrefs: string = normalizeHtmlHrefs(\n html,\n this._hostedUrl,\n this._fileLinkExtensions,\n );\n const htmlWithAbsoluteImgSrcs: string = normalizeImageSrcs(\n htmlWithAbsoluteHrefs,\n this._hostedUrl,\n );\n const htmlWithHeadingIds: string = addIdsToHeadings(\n htmlWithAbsoluteImgSrcs,\n );\n const htmlWithVideos: SafeHtml = renderVideoElements(htmlWithHeadingIds);\n this._renderer.setProperty(div, 'innerHTML', htmlWithVideos);\n return div;\n }\n\n private _render(markdown: string): string {\n // Trim leading and trailing newlines\n markdown = markdown\n .replace(/^(\\s|\\t)*\\n+/g, '')\n .replace(/(\\s|\\t)*\\n+(\\s|\\t)*$/g, '');\n // Split markdown by line characters\n let lines: string[] = markdown.split('\\n');\n\n // check how much indentation is used by the first actual markdown line\n const firstLineWhitespaceMatch = lines[0].match(/^(\\s|\\t)*/);\n const firstLineWhitespace: string = firstLineWhitespaceMatch\n ? firstLineWhitespaceMatch[0]\n : '';\n\n // Remove all indentation spaces so markdown can be parsed correctly\n const startingWhitespaceRegex = new RegExp('^' + firstLineWhitespace);\n lines = lines.map(function (line: string): string {\n return line.replace(startingWhitespaceRegex, '');\n });\n\n // Join lines again with line characters\n const markdownToParse: string = lines.join('\\n');\n\n // Convert markdown into html\n const converter: showdown.Converter = new showdown.Converter();\n converter.setOption('ghCodeBlocks', true);\n converter.setOption('ghCompatibleHeaderId', true);\n converter.setOption('tasklists', true);\n converter.setOption('tables', true);\n converter.setOption('literalMidWordUnderscores', true);\n converter.setOption('simpleLineBreaks', this._simpleLineBreaks);\n converter.setOption('disableForced4SpacesIndentedSublists', true);\n converter.setOption('emoji', true);\n return converter.makeHtml(markdownToParse);\n }\n}\n","<ng-content></ng-content>\n","import { Injectable, SecurityContext } from '@angular/core';\nimport { DomSanitizer } from '@angular/platform-browser';\nimport { HttpClient, HttpResponse } from '@angular/common/http';\nimport { isGithubHref, rawGithubHref } from '../markdown-utils/markdown-utils';\n\n@Injectable()\nexport class TdMarkdownLoaderService {\n constructor(private _http: HttpClient, private _sanitizer: DomSanitizer) {}\n\n async load(url: string, httpOptions: object = {}): Promise<string> {\n const sanitizedUrl: string =\n this._sanitizer.sanitize(SecurityContext.URL, url) ?? '';\n let urlToGet: string = sanitizedUrl;\n if (isGithubHref(sanitizedUrl)) {\n urlToGet = rawGithubHref(sanitizedUrl);\n }\n\n const response: HttpResponse<string> | undefined = await this._http\n .get(urlToGet, {\n ...httpOptions,\n responseType: 'text',\n observe: 'response',\n })\n .toPromise();\n const contentType: string = response?.headers.get('Content-Type') ?? '';\n if (\n contentType.includes('text/plain') ||\n contentType.includes('text/markdown')\n ) {\n return response?.body ?? '';\n } else {\n throw Error(`${contentType} is not a handled content type`);\n }\n }\n}\n","import { NgModule } from '@angular/core';\n\nimport {\n provideHttpClient,\n withInterceptorsFromDi,\n} from '@angular/common/http';\n\nimport { TdMarkdownComponent } from './markdown.component';\nimport { TdMarkdownLoaderService } from './markdown-loader/markdown-loader.service';\n\n/**\n * @deprecated This module is deprecated and will be removed in future versions.\n * Please migrate to using standalone components as soon as possible.\n */\n@NgModule({\n exports: [TdMarkdownComponent],\n imports: [TdMarkdownComponent],\n providers: [\n TdMarkdownLoaderService,\n provideHttpClient(withInterceptorsFromDi()),\n ],\n})\nexport class CovalentMarkdownModule {}\n","/**\n * Generated bundle index. Do not edit.\n */\n\nexport * from './public_api';\n"],"names":["i1","i2"],"mappings":";;;;;;;AAAM,SAAU,iBAAiB,CAAC,GAAW,EAAA;IAC3C,IAAI,GAAG,EAAE;QACP,OAAO,GAAG,CAAC,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC;;AAE/B,IAAA,OAAO,EAAE;AACX;AAEM,SAAU,kBAAkB,CAAC,GAAkB,EAAA;IACnD,IAAI,GAAG,EAAE;QACP,OAAO,GAAG,CAAC,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC;;AAE/B,IAAA,OAAO,EAAE;AACX;AAEM,SAAU,YAAY,CAAC,GAAW,EAAA;IACtC,IAAI,GAAG,EAAE;QACP,OAAO,iBAAiB,CACtB;AACG,aAAA,OAAO,CAAC,YAAY,EAAE,EAAE;;;;aAIxB,OAAO,CAAC,sCAAsC,EAAE,EAAE,CAAC,CACvD,CAAC,WAAW,EAAE;;AAEjB,IAAA,OAAO,EAAE;AACX;SAEgB,cAAc,CAC5B,KAAkB,EAClB,MAAc,EACd,SAAkB,EAAA;AAElB,IAAA,IAAI,KAAK,IAAI,MAAM,EAAE;AACnB,QAAA,MAAM,gBAAgB,GAAW,YAAY,CAAC,MAAM,CAAC;QACrD,IAAI,eAAe,GAAmB,IAAI;QAC1C,MAAM,sBAAsB,GAAG,KAAK,CAAC,aAAa,CAChD,CAAQ,KAAA,EAAA,gBAAgB,CAAI,EAAA,CAAA,CAC7B;QAED,IAAI,sBAAsB,EAAE;YAC1B,eAAe,GAAG,sBAAsB;;aACnC,IAAI,SAAS,EAAE;AACpB,YAAA,MAAM,MAAM,GAAG,KAAK,CAAC,aAAa;YAClC,IAAI,MAAM,EAAE;gBACV,eAAe,GAAG,MAAM,CAAC,aAAa,CAAC,CAAQ,KAAA,EAAA,gBAAgB,CAAI,EAAA,CAAA,CAAC;;;QAGxE,IAAI,eAAe,EAAE;YACnB,eAAe,CAAC,cAAc,CAAC,EAAE,QAAQ,EAAE,MAAM,EAAE,CAAC;AACpD,YAAA,OAAO,IAAI;;;AAGf,IAAA,OAAO,KAAK;AACd;AAEM,SAAU,YAAY,CAAC,MAA0B,EAAA;IACrD,IAAI,MAAM,EAAE;QACV,MAAM,IAAI,GAAG,MAAM,CAAC,YAAY,CAAC,MAAM,CAAC;QACxC,IAAI,IAAI,EAAE;AACR,YAAA,OAAO,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC;;;AAG/B,IAAA,OAAO,KAAK;AACd;AAEgB,SAAA,UAAU,CACxB,MAAyB,EACzB,cAAoC,EAAA;AAEpC,IAAA,IAAI,cAAc,IAAI,cAAc,CAAC,MAAM,EAAE;QAC3C,MAAM,IAAI,GAAG,MAAM,CAAC,YAAY,CAAC,MAAM,CAAC;QACxC,IAAI,IAAI,EAAE;AACR,YAAA,OAAO,cAAc,CAAC,IAAI,CAAC,CAAC,aAAa,KACvC,IAAI,CAAC,QAAQ,CAAC,aAAa,CAAC,CAC7B;;;AAGL,IAAA,OAAO,KAAK;AACd;AAEA,MAAM,mBAAmB,GAAG,2BAA2B;AAEjD,SAAU,aAAa,CAAC,UAAmB,EAAA;IAC/C,IAAI,UAAU,EAAE;AACd,QAAA,IAAI;AACF,YAAA,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAC,UAAU,CAAC;AACpC,YAAA,IAAI,GAAG,CAAC,QAAQ,KAAK,mBAAmB,EAAE;gBACxC,OAAO,GAAG,CAAC,IAAI;;AACV,iBAAA,IAAI,YAAY,CAAC,UAAU,CAAC,EAAE;AACnC,gBAAA,GAAG,CAAC,QAAQ,GAAG,mBAAmB;AAClC,gBAAA,GAAG,CAAC,QAAQ,GAAG,GAAG,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,EAAE,CAAC,CAAC,CAAC,IAAI,CAAC,EAAE,CAAC;gBACtD,OAAO,GAAG,CAAC,IAAI;;;AAEjB,QAAA,MAAM;AACN,YAAA,OAAO,EAAE;;;AAGb,IAAA,OAAO,EAAE;AACX;AAEM,SAAU,YAAY,CAAC,IAAa,EAAA;AACxC,IAAA,IAAI;QACF,MAAM,IAAI,GAAQ,IAAI,GAAG,CAAC,IAAI,IAAI,EAAE,CAAC;AACrC,QAAA,OAAO,IAAI,CAAC,QAAQ,KAAK,YAAY;;AACrC,IAAA,MAAM;AACN,QAAA,OAAO,KAAK;;AAEhB;AAEgB,SAAA,eAAe,CAAC,IAAI,GAAG,EAAE,EAAA;AACvC,IAAA,IAAI;AACF,QAAA,MAAM,IAAI,GAAQ,IAAI,GAAG,CAAC,IAAI,CAAC;AAC/B,QAAA,OAAO,IAAI,CAAC,QAAQ,KAAK,mBAAmB;;AAC5C,IAAA,MAAM;AACN,QAAA,OAAO,KAAK;;AAEhB;AAEM,SAAU,mBAAmB,CAAC,IAAY,EAAA;IAC9C,MAAM,WAAW,GACf,iJAAiJ;IACnJ,MAAM,WAAW,GACf,sHAAsH;IACxH,MAAM,OAAO,GACX,+GAA+G;IACjH,MAAM,UAAU,GACd,4HAA4H;AAE9H,IAAA,SAAS,OAAO,CAAC,KAAa,EAAE,EAAU,EAAE,KAAa,EAAA;QACvD,IAAI,KAAK,EAAE;YACT,EAAE,IAAI,GAAG,GAAG,KAAK,CAAC,OAAO,CAAC,SAAS,EAAE,GAAG,CAAC;;QAE3C,OAAO,CAAA,8EAAA,EAAiF,EAAE,CAAA,WAAA,CAAa;;AAEzG,IAAA,SAAS,SAAS,CAAC,KAAa,EAAE,EAAU,EAAE,KAAa,EAAA;QACzD,IAAI,KAAK,EAAE;YACT,EAAE,IAAI,KAAK,CAAC,OAAO,CAAC,SAAS,EAAE,GAAG,CAAC;;QAErC,OAAO,CAAA,+FAAA,EAAkG,EAAE,CAAA,WAAA,CAAa;;AAG1H,IAAA,OAAO;AACJ,SAAA,OAAO,CAAC,WAAW,EAAE,OAAO;AAC5B,SAAA,OAAO,CAAC,WAAW,EAAE,OAAO;AAC5B,SAAA,OAAO,CAAC,OAAO,EAAE,OAAO;AACxB,SAAA,OAAO,CAAC,UAAU,EAAE,SAAS,CAAC;AACnC;;;ACrHA,SAAS,aAAa,CAAC,WAAmB,EAAA;;IAExC,MAAM,KAAK,GAAG,IAAI,MAAM,CAAC,iBAAiB,EAAE,GAAG,CAAC;AAChD,IAAA,OAAO,KAAK,CAAC,IAAI,CAAC,WAAW,CAAC;AAChC;AAEA;AACA;AACA,SAAS,YAAY,CAAC,WAAmB,EAAE,YAAoB,EAAA;AAC7D,IAAA,IAAI,WAAW,IAAI,YAAY,EAAE;AAC/B,QAAA,IAAI,aAAa,CAAC,WAAW,CAAC,EAAE;AAC9B,YAAA,MAAM,UAAU,GAAQ,IAAI,GAAG,CAAC,WAAW,CAAC;AAC5C,YAAA,MAAM,IAAI,GAAW,UAAU,CAAC;iBAC7B,KAAK,CAAC,GAAG;AACT,iBAAA,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC;iBACX,IAAI,CAAC,GAAG,CAAC;AACZ,YAAA,MAAM,UAAU,GAAQ,IAAI,GAAG,CAAC,WAAW,CAAC;AAE5C,YAAA,IAAI,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE;;gBAEhC,MAAM,UAAU,GAAW,IAAI,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,IAAI,CAAC,GAAG,CAAC;gBAChE,UAAU,CAAC,QAAQ,GAAG,CAAA,EAAG,UAAU,CAAG,EAAA,YAAY,EAAE;;iBAC/C;gBACL,UAAU,CAAC,QAAQ,GAAG,CAAA,EAAG,IAAI,CAAI,CAAA,EAAA,YAAY,EAAE;;YAEjD,OAAO,UAAU,CAAC,IAAI;;aACjB;YACL,MAAM,IAAI,GAAW,WAAW,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,GAAG,CAAC;AAElE,YAAA,IAAI,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE;AAChC,gBAAA,OAAO,CAAG,EAAA,IAAI,CAAG,EAAA,YAAY,EAAE;;iBAC1B;AACL,gBAAA,OAAO,CAAG,EAAA,IAAI,CAAI,CAAA,EAAA,YAAY,EAAE;;;;AAItC,IAAA,OAAO,EAAE;AACX;AAEA,SAAS,kBAAkB,CACzB,IAAY,EACZ,WAAmB,EACnB,kBAA6B,EAAA;IAE7B,IAAI,WAAW,EAAE;AACf,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;QACD;aACG,gBAAgB,CAAoB,SAAS;AAC7C,aAAA,OAAO,CAAC,CAAC,IAAuB,KAAI;YACnC,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAC,IAAI,CAAC,IAAI,CAAC;AACnC,YAAA,MAAM,YAAY,GAAW,GAAG,CAAC,IAAI;YACrC,MAAM,gBAAgB,GAAG,UAAU,CAAC,IAAI,EAAE,kBAAkB,CAAC;AAC7D,YAAA,IAAI,YAAY,CAAC,IAAI,CAAC,EAAE;gBACtB,IAAI,YAAY,EAAE;AAChB,oBAAA,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,YAAY,CAAC;AACrC,oBAAA,IAAI,CAAC,IAAI,GAAG,GAAG,CAAC,IAAI;;;iBAEjB,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE;;;gBAG5C,IAAI,GAAG,CAAC,QAAQ,CAAC,QAAQ,CAAC,KAAK,CAAC,IAAI,gBAAgB,EAAE;;oBAGpD,MAAM,eAAe,GAAW,kBAAkB,CAChD,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC,CAC1B;oBAED,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,WAAW,EAAE,eAAe,CAAC;oBAErD,IAAI,YAAY,EAAE;AAChB,wBAAA,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,YAAY,CAAC;;AAEvC,oBAAA,IAAI,CAAC,IAAI,GAAG,GAAG,CAAC,IAAI;;AAEtB,gBAAA,IAAI,CAAC,MAAM,GAAG,gBAAgB,GAAG,OAAO,GAAG,QAAQ;;iBAC9C;;gBAEL,IAAI,GAAG,CAAC,QAAQ,CAAC,QAAQ,CAAC,KAAK,CAAC,EAAE;oBAChC,IAAI,YAAY,EAAE;AAChB,wBAAA,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,YAAY,CAAC;;AAEvC,oBAAA,IAAI,CAAC,IAAI,GAAG,GAAG,CAAC,IAAI;;AAEtB,gBAAA,IAAI,CAAC,MAAM,GAAG,QAAQ;;AAE1B,SAAC,CAAC;QAEJ,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAExD,IAAA,OAAO,IAAI;AACb;AAEA,SAAS,kBAAkB,CAAC,IAAY,EAAE,WAAmB,EAAA;IAC3D,IAAI,WAAW,EAAE;AACf,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;QACD;aACG,gBAAgB,CAAmB,UAAU;AAC7C,aAAA,OAAO,CAAC,CAAC,KAAuB,KAAI;YACnC,MAAM,GAAG,GAAG,KAAK,CAAC,YAAY,CAAC,KAAK,CAAC,IAAI,EAAE;AAC3C,YAAA,IAAI;;AAEF,gBAAA,IAAI,GAAG,CAAC,GAAG,CAAC;AACZ,gBAAA,IAAI,YAAY,CAAC,GAAG,CAAC,EAAE;AACrB,oBAAA,KAAK,CAAC,GAAG,GAAG,aAAa,CAAC,GAAG,CAAC;;;AAEhC,YAAA,MAAM;gBACN,KAAK,CAAC,GAAG,GAAG,YAAY,CACtB,YAAY,CAAC,WAAW;AACtB,sBAAE,aAAa,CAAC,WAAW;AAC3B,sBAAE,WAAW,EACf,GAAG,CACJ;;;AAGH,YAAA,IAAI,eAAe,CAAC,KAAK,CAAC,GAAG,CAAC,EAAE;gBAC9B,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAC,KAAK,CAAC,GAAG,CAAC;gBACnC,IAAI,GAAG,CAAC,QAAQ,CAAC,QAAQ,CAAC,MAAM,CAAC,EAAE;oBACjC,GAAG,CAAC,YAAY,CAAC,GAAG,CAAC,UAAU,EAAE,MAAM,CAAC;AACxC,oBAAA,KAAK,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI;;;AAG1B,SAAC,CAAC;QAEJ,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAExD,IAAA,OAAO,IAAI;AACb;AAEA,SAAS,gBAAgB,CAAC,IAAY,EAAA;IACpC,IAAI,IAAI,EAAE;AACR,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;QACD;aACG,gBAAgB,CAAC,wBAAwB;AACzC,aAAA,OAAO,CAAC,CAAC,OAAgB,KAAI;YAC5B,MAAM,iBAAiB,GAAG,gBAAgB,CAAC,OAAO,CAAC,SAAS,CAAC;AAC7D,YAAA,MAAM,EAAE,GAAW,YAAY,CAAC,iBAAiB,CAAC;AAClD,YAAA,OAAO,CAAC,YAAY,CAAC,IAAI,EAAE,EAAE,CAAC;AAChC,SAAC,CAAC;QACJ,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAExD,IAAA,OAAO,IAAI;AACb;AAEA,SAAS,2BAA2B,CAAC,IAAY,EAAA;IAC/C,IAAI,IAAI,EAAE;AACR,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;AACD,QAAA,CAAC,OAAO,EAAE,QAAQ,EAAE,MAAM,CAAC,CAAC,OAAO,CAAC,CAAC,SAAiB,KAAI;YACxD;AACG,iBAAA,gBAAgB,CAAC,CAAA,oBAAA,EAAuB,SAAS,CAAA,EAAA,CAAI;AACrD,iBAAA,OAAO,CAAC,CAAC,KAAc,KAAI;gBAC1B,KAAK,CAAC,YAAY,CAAC,OAAO,EAAE,CAAkB,eAAA,EAAA,SAAS,CAAE,CAAA,CAAC;AAC5D,aAAC,CAAC;AACN,SAAC,CAAC;QAEF,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAGxD,IAAA,OAAO,IAAI;AACb;AAEA;AACA,SAAS,gBAAgB,CAAC,KAAa,EAAA;IACrC,IAAI,SAAS,GAAG,KAAK;AACrB,IAAA,IAAI,QAAQ;AAEZ,IAAA,GAAG;QACD,QAAQ,GAAG,SAAS;QACpB,SAAS,GAAG,SAAS,CAAC,OAAO,CAAC,UAAU,EAAE,EAAE,CAAC;AAC/C,KAAC,QAAQ,QAAQ,KAAK,SAAS;AAE/B,IAAA,OAAO,SAAS;AAClB;MAOa,mBAAmB,CAAA;AAmFpB,IAAA,SAAA;AACA,IAAA,WAAA;AACA,IAAA,aAAA;AACA,IAAA,OAAA;AAnFF,IAAA,QAAQ;IACR,iBAAiB,GAAG,KAAK;AACzB,IAAA,UAAU;AACV,IAAA,OAAO;IACP,SAAS,GAAG,KAAK;AACjB,IAAA,mBAAmB;AACnB,IAAA,eAAe;AACvB;;AAEG;IACmB,KAAK,GAAG,aAAa;AAE3C;;;;;;AAMG;IACH,IACI,OAAO,CAAC,OAAe,EAAA;AACzB,QAAA,IAAI,CAAC,QAAQ,GAAG,OAAO;;AAGzB;;;;;AAKG;IACH,IACI,gBAAgB,CAAC,gBAAyB,EAAA;AAC5C,QAAA,IAAI,CAAC,iBAAiB,GAAG,gBAAgB;;AAG3C;;;;;AAKG;IACH,IACI,SAAS,CAAC,SAAiB,EAAA;AAC7B,QAAA,IAAI,CAAC,UAAU,GAAG,SAAS;;AAG7B;;;;;AAKG;IACH,IACI,MAAM,CAAC,MAAc,EAAA;AACvB,QAAA,IAAI,CAAC,OAAO,GAAG,MAAM;;AAGvB;;;;AAIG;IACH,IACI,kBAAkB,CAAC,UAAgC,EAAA;AACrD,QAAA,IAAI,CAAC,mBAAmB,GAAG,UAAU;;AAGvC;;;AAGG;AACO,IAAA,eAAe,GAAG,IAAI,YAAY,EAAO;AAEnD;;;AAGG;AACO,IAAA,YAAY,GAAuB,IAAI,YAAY,EAAQ;AAErE,IAAA,WAAA,CACU,SAAoB,EACpB,WAAuB,EACvB,aAA2B,EAC3B,OAAe,EAAA;QAHf,IAAS,CAAA,SAAA,GAAT,SAAS;QACT,IAAW,CAAA,WAAA,GAAX,WAAW;QACX,IAAa,CAAA,aAAA,GAAb,aAAa;QACb,IAAO,CAAA,OAAA,GAAP,OAAO;;AAGjB,IAAA,WAAW,CAAC,OAAsB,EAAA;;QAEhC,IACE,OAAO,CAAC,QAAQ,CAAC;YACjB,CAAC,OAAO,CAAC,SAAS,CAAC;YACnB,CAAC,OAAO,CAAC,kBAAkB,CAAC;AAC5B,YAAA,CAAC,OAAO,CAAC,WAAW,CAAC,EACrB;AACA,YAAA,cAAc,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,IAAI,CAAC,OAAO,EAAE,IAAI,CAAC;;aAC7D;YACL,IAAI,CAAC,OAAO,EAAE;;;IAIlB,eAAe,GAAA;AACb,QAAA,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;YAClB,IAAI,CAAC,YAAY,CACD,IAAI,CAAC,WAAW,CAAC,aAAc,CAAC,WAAW,CAC1D;;AAEH,QAAA,IAAI,CAAC,SAAS,GAAG,IAAI;;;;;AAMrB,QAAA,IAAI,CAAC,OAAO,CAAC,iBAAiB,CAAC,MAAK;YAClC,IAAI,CAAC,eAAe,GAAG,IAAI,CAAC,SAAS,CAAC,MAAM,CAC1C,IAAI,CAAC,WAAW,CAAC,aAAa,EAC9B,OAAO,EACP,CAAC,KAAiB,KAAI;AACpB,gBAAA,MAAM,OAAO,GAA6B,KAAK,CAAC,UAAU;AAC1D,gBAAA,IACE,OAAO,CAAC,OAAO,CAAC,SAAS,CAAC;AAC1B,oBAAA,YAAY,CAAoB,OAAO,CAAC,EACxC;AACA,oBAAA,IAAI,CAAC,kBAAkB,CAAC,KAAK,CAAC;;AACzB,qBAAA,IACL,OAAO,CAAC,OAAO,CAAC,SAAS,CAAC;oBAC1B,UAAU,CAAoB,OAAO,EAAE,IAAI,CAAC,mBAAmB,CAAC,EAChE;AACA,oBAAA,IAAI,CAAC,sBAAsB,CAAC,KAAK,CAAC;;AAEtC,aAAC,CACF;AACH,SAAC,CAAC;;IAGJ,WAAW,GAAA;AACT,QAAA,IAAI,CAAC,eAAe,IAAI;;IAG1B,OAAO,GAAA;AACL,QAAA,IAAI,IAAI,CAAC,QAAQ,EAAE;AACjB,YAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,QAAQ,CAAC;;AAC3B,aAAA,IAAI,IAAI,CAAC,SAAS,EAAE;YACzB,IAAI,CAAC,YAAY,CACD,IAAI,CAAC,WAAW,CAAC,aAAc,CAAC,WAAW,CAC1D;;;AAIL;;AAEG;AACK,IAAA,YAAY,CAAC,QAAuB,EAAA;QAC1C,IAAI,QAAQ,IAAI,QAAQ,CAAC,IAAI,EAAE,CAAC,MAAM,GAAG,CAAC,EAAE;;AAE1C,YAAA,IAAI,CAAC,SAAS,CAAC,WAAW,CACxB,IAAI,CAAC,WAAW,CAAC,aAAa,EAC9B,WAAW,EACX,EAAE,CACH;;YAED,IAAI,CAAC,kBAAkB,CAAC,IAAI,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;;;AAGjD,QAAA,IAAI,CAAC,OAAO,CAAC,iBAAiB,CAAC,MAC7B,UAAU,CACR,MACE,cAAc,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,IAAI,CAAC,OAAO,EAAE,IAAI,CAAC,EACpE,GAAG,CACJ,CACF;AACD,QAAA,IAAI,CAAC,YAAY,CAAC,IAAI,EAAE;;AAGlB,IAAA,kBAAkB,CAAC,KAAY,EAAA;QACrC,KAAK,CAAC,cAAc,EAAE;QACtB,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAqB,KAAK,CAAC,MAAO,CAAC,IAAI,CAAC;QAChE,MAAM,IAAI,GAAW,SAAS,CAAC,GAAG,CAAC,IAAI,CAAC;QACxC,cAAc,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,IAAI,EAAE,IAAI,CAAC;;AAGpD,IAAA,sBAAsB,CAAC,KAAY,EAAA;QACzC,KAAK,CAAC,cAAc,EAAE;QACtB,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAqB,KAAK,CAAC,MAAO,CAAC,IAAI,CAAC;AAChE,QAAA,IAAI,CAAC,eAAe,CAAC,IAAI,CAAC,GAAG,CAAC;;AAGxB,IAAA,kBAAkB,CAAC,SAAiB,EAAA;;;QAG1C,MAAM,GAAG,GAAmB,IAAI,CAAC,SAAS,CAAC,aAAa,CAAC,KAAK,CAAC;AAC/D,QAAA,IAAI,CAAC,SAAS,CAAC,WAAW,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,GAAG,CAAC;AAE/D,QAAA,MAAM,IAAI,GACR,IAAI,CAAC,aAAa,CAAC,QAAQ,CACzB,eAAe,CAAC,KAAK,EACrB,2BAA2B,CAAC,SAAS,CAAC,CACvC,IAAI,EAAE;AAET,QAAA,MAAM,qBAAqB,GAAW,kBAAkB,CACtD,IAAI,EACJ,IAAI,CAAC,UAAU,EACf,IAAI,CAAC,mBAAmB,CACzB;QACD,MAAM,uBAAuB,GAAW,kBAAkB,CACxD,qBAAqB,EACrB,IAAI,CAAC,UAAU,CAChB;AACD,QAAA,MAAM,kBAAkB,GAAW,gBAAgB,CACjD,uBAAuB,CACxB;AACD,QAAA,MAAM,cAAc,GAAa,mBAAmB,CAAC,kBAAkB,CAAC;QACxE,IAAI,CAAC,SAAS,CAAC,WAAW,CAAC,GAAG,EAAE,WAAW,EAAE,cAAc,CAAC;AAC5D,QAAA,OAAO,GAAG;;AAGJ,IAAA,OAAO,CAAC,QAAgB,EAAA;;AAE9B,QAAA,QAAQ,GAAG;AACR,aAAA,OAAO,CAAC,eAAe,EAAE,EAAE;AAC3B,aAAA,OAAO,CAAC,uBAAuB,EAAE,EAAE,CAAC;;QAEvC,IAAI,KAAK,GAAa,QAAQ,CAAC,KAAK,CAAC,IAAI,CAAC;;QAG1C,MAAM,wBAAwB,GAAG,KAAK,CAAC,CAAC,CAAC,CAAC,KAAK,CAAC,WAAW,CAAC;QAC5D,MAAM,mBAAmB,GAAW;AAClC,cAAE,wBAAwB,CAAC,CAAC;cAC1B,EAAE;;QAGN,MAAM,uBAAuB,GAAG,IAAI,MAAM,CAAC,GAAG,GAAG,mBAAmB,CAAC;AACrE,QAAA,KAAK,GAAG,KAAK,CAAC,GAAG,CAAC,UAAU,IAAY,EAAA;YACtC,OAAO,IAAI,CAAC,OAAO,CAAC,uBAAuB,EAAE,EAAE,CAAC;AAClD,SAAC,CAAC;;QAGF,MAAM,eAAe,GAAW,KAAK,CAAC,IAAI,CAAC,IAAI,CAAC;;AAGhD,QAAA,MAAM,SAAS,GAAuB,IAAI,QAAQ,CAAC,SAAS,EAAE;AAC9D,QAAA,SAAS,CAAC,SAAS,CAAC,cAAc,EAAE,IAAI,CAAC;AACzC,QAAA,SAAS,CAAC,SAAS,CAAC,sBAAsB,EAAE,IAAI,CAAC;AACjD,QAAA,SAAS,CAAC,SAAS,CAAC,WAAW,EAAE,IAAI,CAAC;AACtC,QAAA,SAAS,CAAC,SAAS,CAAC,QAAQ,EAAE,IAAI,CAAC;AACnC,QAAA,SAAS,CAAC,SAAS,CAAC,2BAA2B,EAAE,IAAI,CAAC;QACtD,SAAS,CAAC,SAAS,CAAC,kBAAkB,EAAE,IAAI,CAAC,iBAAiB,CAAC;AAC/D,QAAA,SAAS,CAAC,SAAS,CAAC,sCAAsC,EAAE,IAAI,CAAC;AACjE,QAAA,SAAS,CAAC,SAAS,CAAC,OAAO,EAAE,IAAI,CAAC;AAClC,QAAA,OAAO,SAAS,CAAC,QAAQ,CAAC,eAAe,CAAC;;6GA3PjC,mBAAmB,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,SAAA,CAAA,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,UAAA,CAAA,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,YAAA,CAAA,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,MAAA,CAAA,CAAA,CAAA,EAAA;6DAAnB,mBAAmB,EAAA,SAAA,EAAA,CAAA,CAAA,aAAA,CAAA,CAAA,EAAA,QAAA,EAAA,CAAA,EAAA,YAAA,EAAA,SAAA,gCAAA,CAAA,EAAA,EAAA,GAAA,EAAA,EAAA,IAAA,EAAA,GAAA,CAAA,EAAA;YAAnB,EAAmB,CAAA,UAAA,CAAA,GAAA,CAAA,KAAA,CAAA;;;YC5NhC,EAAyB,CAAA,YAAA,CAAA,CAAA,CAAA;;;iFD4NZ,mBAAmB,EAAA,CAAA;cAL/B,SAAS;2BACE,aAAa,EAAA,QAAA,EAAA,6BAAA,EAAA,MAAA,EAAA,CAAA,+1VAAA,CAAA,EAAA;mHAiBD,KAAK,EAAA,CAAA;kBAA1B,WAAW;mBAAC,OAAO;YAUhB,OAAO,EAAA,CAAA;kBADV;YAYG,gBAAgB,EAAA,CAAA;kBADnB;YAYG,SAAS,EAAA,CAAA;kBADZ;YAYG,MAAM,EAAA,CAAA;kBADT;YAWG,kBAAkB,EAAA,CAAA;kBADrB;YASS,eAAe,EAAA,CAAA;kBAAxB;YAMS,YAAY,EAAA,CAAA;kBAArB;;kFAhFU,mBAAmB,EAAA,EAAA,SAAA,EAAA,qBAAA,EAAA,QAAA,EAAA,2BAAA,EAAA,UAAA,EAAA,GAAA,EAAA,CAAA,CAAA,EAAA,GAAA;;MEtNnB,uBAAuB,CAAA;AACd,IAAA,KAAA;AAA2B,IAAA,UAAA;IAA/C,WAAoB,CAAA,KAAiB,EAAU,UAAwB,EAAA;QAAnD,IAAK,CAAA,KAAA,GAAL,KAAK;QAAsB,IAAU,CAAA,UAAA,GAAV,UAAU;;AAEzD,IAAA,MAAM,IAAI,CAAC,GAAW,EAAE,cAAsB,EAAE,EAAA;AAC9C,QAAA,MAAM,YAAY,GAChB,IAAI,CAAC,UAAU,CAAC,QAAQ,CAAC,eAAe,CAAC,GAAG,EAAE,GAAG,CAAC,IAAI,EAAE;QAC1D,IAAI,QAAQ,GAAW,YAAY;AACnC,QAAA,IAAI,YAAY,CAAC,YAAY,CAAC,EAAE;AAC9B,YAAA,QAAQ,GAAG,aAAa,CAAC,YAAY,CAAC;;AAGxC,QAAA,MAAM,QAAQ,GAAqC,MAAM,IAAI,CAAC;aAC3D,GAAG,CAAC,QAAQ,EAAE;AACb,YAAA,GAAG,WAAW;AACd,YAAA,YAAY,EAAE,MAAM;AACpB,YAAA,OAAO,EAAE,UAAU;SACpB;AACA,aAAA,SAAS,EAAE;AACd,QAAA,MAAM,WAAW,GAAW,QAAQ,EAAE,OAAO,CAAC,GAAG,CAAC,cAAc,CAAC,IAAI,EAAE;AACvE,QAAA,IACE,WAAW,CAAC,QAAQ,CAAC,YAAY,CAAC;AAClC,YAAA,WAAW,CAAC,QAAQ,CAAC,eAAe,CAAC,EACrC;AACA,YAAA,OAAO,QAAQ,EAAE,IAAI,IAAI,EAAE;;aACtB;AACL,YAAA,MAAM,KAAK,CAAC,CAAA,EAAG,WAAW,CAAA,8BAAA,CAAgC,CAAC;;;iHAzBpD,uBAAuB,EAAA,EAAA,CAAA,QAAA,CAAAA,IAAA,CAAA,UAAA,CAAA,EAAA,EAAA,CAAA,QAAA,CAAAC,EAAA,CAAA,YAAA,CAAA,CAAA,CAAA,EAAA;AAAvB,IAAA,OAAA,KAAA,iBAAA,EAAA,CAAA,kBAAA,CAAA,EAAA,KAAA,EAAA,uBAAuB,WAAvB,uBAAuB,CAAA,IAAA,EAAA,CAAA;;iFAAvB,uBAAuB,EAAA,CAAA;cADnC;;;ACKD;;;AAGG;MASU,sBAAsB,CAAA;gHAAtB,sBAAsB,GAAA,CAAA,EAAA;4DAAtB,sBAAsB,EAAA,CAAA;AALtB,IAAA,OAAA,IAAA,iBAAA,EAAA,CAAA,gBAAA,CAAA,EAAA,SAAA,EAAA;YACT,uBAAuB;YACvB,iBAAiB,CAAC,sBAAsB,EAAE,CAAC;AAC5C,SAAA,EAAA,CAAA;;iFAEU,sBAAsB,EAAA,CAAA;cARlC,QAAQ;AAAC,QAAA,IAAA,EAAA,CAAA;gBACR,OAAO,EAAE,CAAC,mBAAmB,CAAC;gBAC9B,OAAO,EAAE,CAAC,mBAAmB,CAAC;AAC9B,gBAAA,SAAS,EAAE;oBACT,uBAAuB;oBACvB,iBAAiB,CAAC,sBAAsB,EAAE,CAAC;AAC5C,iBAAA;AACF,aAAA;;wFACY,sBAAsB,EAAA,EAAA,OAAA,EAAA,CANvB,mBAAmB,CAAA,EAAA,OAAA,EAAA,CADnB,mBAAmB,CAAA,EAAA,CAAA,CAAA,EAAA,GAAA;;ACf/B;;AAEG;;;;"}
|
|
1
|
+
{"version":3,"file":"covalent-markdown.mjs","sources":["../../../../libs/markdown/src/lib/markdown-utils/markdown-utils.ts","../../../../libs/markdown/src/lib/markdown.component.ts","../../../../libs/markdown/src/lib/markdown.component.html","../../../../libs/markdown/src/lib/markdown-loader/markdown-loader.service.ts","../../../../libs/markdown/src/lib/markdown.module.ts","../../../../libs/markdown/src/covalent-markdown.ts"],"sourcesContent":["export function removeLeadingHash(str: string): string {\n if (str) {\n return str.replace(/^#+/, '');\n }\n return '';\n}\n\nexport function removeTrailingHash(str: string | null): string {\n if (str) {\n return str.replace(/#.*/, '');\n }\n return '';\n}\n\nexport function genHeadingId(str: string): string {\n if (str) {\n return removeLeadingHash(\n str\n .replace(/(_|-|\\s)+/g, '')\n // Remove certain special chars to create heading ids similar to those in github\n // borrowed from showdown\n // https://github.com/showdownjs/showdown/blob/main/src/subParsers/makehtml/headers.js#L94\n .replace(/[&+$,/:;=?@\"#{}|^¨~[\\]`\\\\*)(%.!'<>]/g, ''),\n ).toLowerCase();\n }\n return '';\n}\n\nexport function scrollToAnchor(\n scope: HTMLElement,\n anchor: string,\n tryParent: boolean,\n): boolean {\n if (scope && anchor) {\n const normalizedAnchor: string = genHeadingId(anchor);\n let headingToJumpTo: Element | null = null;\n const headingWithinComponent = scope.querySelector(\n `[id=\"${normalizedAnchor}\"]`,\n );\n\n if (headingWithinComponent) {\n headingToJumpTo = headingWithinComponent;\n } else if (tryParent) {\n const parent = scope.parentElement;\n if (parent) {\n headingToJumpTo = parent.querySelector(`[id=\"${normalizedAnchor}\"]`);\n }\n }\n if (headingToJumpTo) {\n headingToJumpTo.scrollIntoView({ behavior: 'auto' });\n return true;\n }\n }\n return false;\n}\n\nexport function isAnchorLink(anchor?: HTMLAnchorElement): boolean {\n if (anchor) {\n const href = anchor.getAttribute('href');\n if (href) {\n return href.startsWith('#');\n }\n }\n return false;\n}\n\nexport function isFileLink(\n anchor: HTMLAnchorElement,\n fileExtensions: string[] | undefined,\n): boolean {\n if (fileExtensions && fileExtensions.length) {\n const href = anchor.getAttribute('href');\n if (href) {\n return fileExtensions.some((fileExtension) =>\n href.endsWith(fileExtension),\n );\n }\n }\n return false;\n}\n\nconst RAW_GITHUB_HOSTNAME = 'raw.githubusercontent.com';\n\nexport function rawGithubHref(githubHref?: string): string {\n if (githubHref) {\n try {\n const url: URL = new URL(githubHref);\n if (url.hostname === RAW_GITHUB_HOSTNAME) {\n return url.href;\n } else if (isGithubHref(githubHref)) {\n url.hostname = RAW_GITHUB_HOSTNAME;\n url.pathname = url.pathname.split('/blob', 2).join('');\n return url.href;\n }\n } catch {\n return '';\n }\n }\n return '';\n}\n\nexport function isGithubHref(href?: string): boolean {\n try {\n const temp: URL = new URL(href ?? '');\n return temp.hostname === 'github.com';\n } catch {\n return false;\n }\n}\n\nexport function isRawGithubHref(href = ''): boolean {\n try {\n const temp: URL = new URL(href);\n return temp.hostname === RAW_GITHUB_HOSTNAME;\n } catch {\n return false;\n }\n}\n\nexport function renderVideoElements(html: string): string {\n const ytLongEmbed =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)(?:(?:www)?.)?youtube.(?:.+?)\\/(?:(?:embed\\/)([\\w-]{11})(\\?[\\w%;-]+(?:=[\\w%;-]+)?(?:&[\\w%;-]+(?:=[\\w%;-]+)?)*)?)]/gi;\n const ytLongWatch =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)(?:(?:www)?.)?youtube.(?:.+?)\\/(?:(?:watch\\?v=)([\\w-]{11})(&[\\w%;-]+(?:=[\\w%;-]+)?)*)]/gi;\n const ytShort =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)?youtu.be\\/([\\w-]{11})\\??([\\w%;-]+(?:=[\\w%;-]+)?(?:&[\\w%;-]+(?:=[\\w%;-]+)?)*)?]/gi;\n const ytPlaylist =\n /!\\[(?:(?:https?:)?(?:\\/\\/)?)(?:(?:www)?.)?youtube.(?:.+?)\\/(?:(?:playlist\\?list=)([\\w-]{34})(&[\\w%;-]+(?:=[\\w%;-]+)?)*)]/gi;\n\n function convert(match: string, id: string, flags: string): string {\n if (flags) {\n id += '?' + flags.replace(/&/gi, '&');\n }\n return `<iframe allow=\"fullscreen\" frameborder=\"0\" src=\"https://www.youtube.com/embed/${id}\"></iframe>`;\n }\n function convertPL(match: string, id: string, flags: string): string {\n if (flags) {\n id += flags.replace(/&/gi, '&');\n }\n return `<iframe allow=\"fullscreen\" frameborder=\"0\" src=\"https://www.youtube.com/embed/videoseries?list=${id}\"></iframe>`;\n }\n\n return html\n .replace(ytLongWatch, convert)\n .replace(ytLongEmbed, convert)\n .replace(ytShort, convert)\n .replace(ytPlaylist, convertPL);\n}\n\n/**\n * Checks whether text contains markdown syntax patterns.\n */\nexport function containsMarkdown(text: string): boolean {\n const markdownPatterns = [\n /(?:^|\\n)\\s{0,3}#{1,6}\\s/, // ATX headings\n /(?:^|\\n)\\s{0,3}[-*+]\\s/, // unordered list items\n /(?:^|\\n)\\s{0,3}\\d+\\.\\s/, // ordered list items\n /(?:^|\\n)\\s{0,3}>\\s/, // blockquotes\n /\\*\\*.+?\\*\\*/s, // bold\n /\\[.+?\\]\\(.+?\\)/s, // links\n /!\\[.*?\\]\\(.+?\\)/s, // images\n /`.+?`/, // inline code\n /(?:^|\\n)\\s{0,3}```/, // fenced code blocks\n /(?:^|\\n)\\s{0,3}---\\s*(?:$|\\n)/, // horizontal rules\n ];\n return markdownPatterns.some((pattern) => pattern.test(text));\n}\n\n/**\n * Finds the index of the matching closing tag, handling nested same-name tags.\n */\nexport function findClosingTagIndex(\n str: string,\n tagName: string,\n searchFrom: number,\n): number {\n const openPattern = new RegExp(`<${tagName}(?:\\\\s[^>]*)?>`, 'gi');\n const closePattern = new RegExp(`</${tagName}\\\\s*>`, 'gi');\n let depth = 1;\n let pos = searchFrom;\n\n while (pos < str.length && depth > 0) {\n openPattern.lastIndex = pos;\n closePattern.lastIndex = pos;\n\n // we look for open and close tags starting from the end of the last match\n const nextOpen = openPattern.exec(str);\n const nextClose = closePattern.exec(str);\n\n if (!nextClose) return -1;\n\n // if we find an open tag before a close tag, it means we have a nested tag, so we increase the depth\n if (nextOpen && nextOpen.index < nextClose.index) {\n depth++;\n pos = nextOpen.index + nextOpen[0].length;\n } else {\n depth--;\n if (depth === 0) return nextClose.index;\n pos = nextClose.index + nextClose[0].length;\n }\n }\n\n return -1;\n}\n","import {\n Component,\n AfterViewInit,\n ElementRef,\n Input,\n Output,\n EventEmitter,\n Renderer2,\n SecurityContext,\n OnChanges,\n SimpleChanges,\n HostBinding,\n NgZone,\n OnDestroy,\n} from '@angular/core';\nimport { DomSanitizer, SafeHtml } from '@angular/platform-browser';\nimport {\n scrollToAnchor,\n genHeadingId,\n isAnchorLink,\n removeTrailingHash,\n rawGithubHref,\n isGithubHref,\n isRawGithubHref,\n renderVideoElements,\n isFileLink,\n findClosingTagIndex,\n containsMarkdown,\n} from './markdown-utils/markdown-utils';\n\nimport * as showdown from 'showdown';\n\nfunction isAbsoluteUrl(currentHref: string): boolean {\n // Regular Expression to check url\n const RgExp = /^(?:[a-z]+:)?\\/\\//i;\n return RgExp.test(currentHref);\n}\n\n// TODO: assumes it is a github url\n// allow override somehow\nfunction generateHref(currentHref: string, relativeHref: string): string {\n if (currentHref && relativeHref) {\n if (isAbsoluteUrl(currentHref)) {\n const currentUrl: URL = new URL(currentHref);\n const path: string = currentUrl.pathname\n .split('/')\n .slice(1, -1)\n .join('/');\n const correctUrl: URL = new URL(currentHref);\n\n if (relativeHref.startsWith('/')) {\n // url is relative to top level\n const orgAndRepo: string = path.split('/').slice(0, 3).join('/');\n correctUrl.pathname = `${orgAndRepo}${relativeHref}`;\n } else {\n correctUrl.pathname = `${path}/${relativeHref}`;\n }\n return correctUrl.href;\n } else {\n const path: string = currentHref.split('/').slice(0, -1).join('/');\n\n if (relativeHref.startsWith('/')) {\n return `${path}${relativeHref}`;\n } else {\n return `${path}/${relativeHref}`;\n }\n }\n }\n return '';\n}\n\nfunction normalizeHtmlHrefs(\n html: string,\n currentHref: string,\n fileLinkExtensions?: string[],\n): string {\n const document: Document = new DOMParser().parseFromString(html, 'text/html');\n document\n .querySelectorAll<HTMLAnchorElement>('a[href]')\n .forEach((link: HTMLAnchorElement) => {\n try {\n const url: URL = new URL(link.href);\n const originalHash: string = url.hash;\n const isFileAnchorLink = isFileLink(link, fileLinkExtensions);\n\n if (isAnchorLink(link)) {\n if (originalHash) {\n url.hash = genHeadingId(originalHash);\n link.href = url.hash;\n }\n } else if (url.host === window.location.host) {\n // hosts match, meaning URL MIGHT have been malformed by showdown\n // url is a relative url or just a link to a part of the application\n if (\n currentHref &&\n (url.pathname.endsWith('.md') || isFileAnchorLink)\n ) {\n // only check .md urls or urls ending with the fileLinkExtensions\n\n const hrefWithoutHash: string = removeTrailingHash(\n link.getAttribute('href'),\n );\n\n url.href = generateHref(currentHref, hrefWithoutHash);\n\n if (originalHash) {\n url.hash = genHeadingId(originalHash);\n }\n link.href = url.href;\n }\n link.target = isFileAnchorLink ? '_self' : '_blank';\n } else {\n // Different host - external link\n if (url.pathname.endsWith('.md')) {\n if (originalHash) {\n url.hash = genHeadingId(originalHash);\n }\n link.href = url.href;\n }\n link.target = '_blank';\n }\n } catch {\n // If URL parsing fails, check if it looks like an external http(s) link\n const hrefAttr = (link.getAttribute('href') ?? '').trim();\n if (hrefAttr.startsWith('http://') || hrefAttr.startsWith('https://')) {\n link.target = '_blank';\n }\n }\n });\n\n return new XMLSerializer().serializeToString(document);\n}\n\nfunction normalizeImageSrcs(html: string, currentHref: string): string {\n if (currentHref) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n document\n .querySelectorAll<HTMLImageElement>('img[src]')\n .forEach((image: HTMLImageElement) => {\n const src = image.getAttribute('src') ?? '';\n try {\n /* tslint:disable-next-line:no-unused-expression */\n new URL(src);\n if (isGithubHref(src)) {\n image.src = rawGithubHref(src);\n }\n } catch {\n image.src = generateHref(\n isGithubHref(currentHref)\n ? rawGithubHref(currentHref)\n : currentHref,\n src,\n );\n }\n // gh svgs need to have ?sanitize=true\n if (isRawGithubHref(image.src)) {\n const url: URL = new URL(image.src);\n if (url.pathname.endsWith('.svg')) {\n url.searchParams.set('sanitize', 'true');\n image.src = url.href;\n }\n }\n });\n\n return new XMLSerializer().serializeToString(document);\n }\n return html;\n}\n\nfunction addIdsToHeadings(html: string): string {\n if (html) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n document\n .querySelectorAll('h1, h2, h3, h4, h5, h6')\n .forEach((heading: Element) => {\n const strippedInnerHTML = stripAllHtmlTags(heading.innerHTML);\n const id: string = genHeadingId(strippedInnerHTML);\n heading.setAttribute('id', id);\n });\n return new XMLSerializer().serializeToString(document);\n }\n return html;\n}\n\nfunction changeStyleAlignmentToClass(html: string) {\n if (html) {\n const document: Document = new DOMParser().parseFromString(\n html,\n 'text/html',\n );\n ['right', 'center', 'left'].forEach((alignment: string) => {\n document\n .querySelectorAll(`[style*='text-align:${alignment}']`)\n .forEach((style: Element) => {\n style.setAttribute('class', `markdown-align-${alignment}`);\n });\n });\n\n return new XMLSerializer().serializeToString(document);\n }\n\n return html;\n}\n\n/**\n * Adds markdown=\"1\" attribute to HTML block-level tags so that\n * showdown parses any markdown nested inside them.\n * Only adds the attribute when the tag's inner content contains markdown syntax.\n */\nfunction addMarkdownAttrToHtmlTags(markdown: string): string {\n const voidElements = new Set([\n 'area',\n 'base',\n 'br',\n 'col',\n 'embed',\n 'hr',\n 'img',\n 'input',\n 'link',\n 'meta',\n 'param',\n 'source',\n 'track',\n 'wbr',\n ]);\n\n const openTagRegex = /<([A-Za-z][A-Za-z0-9-]*)(\\s[^>]*)?\\s*>/g;\n let result = '';\n let lastIndex = 0;\n let match: RegExpExecArray | null;\n\n while ((match = openTagRegex.exec(markdown)) !== null) {\n const fullMatch = match[0];\n const tagName = match[1];\n const attrs = match[2] || '';\n const tag = tagName.toLowerCase();\n\n // Skip void elements, self-closing tags, or tags with existing markdown attr\n if (\n voidElements.has(tag) ||\n fullMatch.endsWith('/>') ||\n /markdown\\s*=/.test(attrs)\n ) {\n continue;\n }\n\n const contentStart = match.index + fullMatch.length;\n const closingTagIndex = findClosingTagIndex(\n markdown,\n tagName,\n contentStart,\n );\n\n if (closingTagIndex === -1) continue;\n\n const innerContent = markdown.slice(contentStart, closingTagIndex);\n\n if (containsMarkdown(innerContent)) {\n result += markdown.slice(lastIndex, match.index);\n result += fullMatch.replace(\n new RegExp(`<${tagName}(\\\\s|>)`),\n `<${tagName} markdown=\"1\"$1`,\n );\n lastIndex = contentStart;\n }\n }\n\n result += markdown.slice(lastIndex);\n return result;\n}\n\n// Strips all the html tags in the html sand returns the text\nfunction stripAllHtmlTags(input: string): string {\n let sanitized = input;\n let previous;\n\n do {\n previous = sanitized;\n sanitized = sanitized.replace(/<[^>]+>/g, '');\n } while (previous !== sanitized);\n\n return sanitized;\n}\n\n@Component({\n selector: 'td-markdown',\n styleUrls: ['./markdown.component.scss'],\n templateUrl: './markdown.component.html',\n})\nexport class TdMarkdownComponent\n implements OnChanges, AfterViewInit, OnDestroy\n{\n private _content!: string;\n private _simpleLineBreaks = false;\n private _hostedUrl!: string;\n private _anchor!: string;\n private _viewInit = false;\n private _fileLinkExtensions!: string[] | undefined;\n private _anchorListener?: VoidFunction;\n /**\n * .td-markdown class added to host so ::ng-deep gets scoped.\n */\n @HostBinding('class') class = 'td-markdown';\n\n /**\n * content?: string\n *\n * Markdown format content to be parsed as html markup.\n *\n * e.g. README.md content.\n */\n @Input()\n set content(content: string) {\n this._content = content;\n }\n\n /**\n * simpleLineBreaks?: string\n *\n * Sets whether newline characters inside paragraphs and spans are parsed as <br/>.\n * Defaults to false.\n */\n @Input()\n set simpleLineBreaks(simpleLineBreaks: boolean) {\n this._simpleLineBreaks = simpleLineBreaks;\n }\n\n /**\n * hostedUrl?: string\n *\n * If markdown contains relative paths, this is required to generate correct urls.\n *\n */\n @Input()\n set hostedUrl(hostedUrl: string) {\n this._hostedUrl = hostedUrl;\n }\n\n /**\n * anchor?: string\n *\n * Anchor to jump to.\n *\n */\n @Input()\n set anchor(anchor: string) {\n this._anchor = anchor;\n }\n\n /**\n * The file extensions to monitor for in anchor tags. If an anchor's `href` ends\n * with these extensions, an event will be emitted instead of performing the default click action.\n * Example values: [\".ipynb\", \".zip\", \".docx\"]\n */\n @Input()\n set fileLinkExtensions(extensions: string[] | undefined) {\n this._fileLinkExtensions = extensions;\n }\n\n /**\n * Event emitted when an anchor tag with an `href` matching the specified\n * fileLinkExtensions is clicked. The emitted value is the URL of the clicked anchor.\n */\n @Output() fileLinkClicked = new EventEmitter<URL>();\n\n /**\n * contentReady?: function\n * Event emitted after the markdown content rendering is finished.\n */\n @Output() contentReady: EventEmitter<void> = new EventEmitter<void>();\n\n constructor(\n private _renderer: Renderer2,\n private _elementRef: ElementRef,\n private _domSanitizer: DomSanitizer,\n private _ngZone: NgZone,\n ) {}\n\n ngOnChanges(changes: SimpleChanges): void {\n // only anchor changed\n if (\n changes['anchor'] &&\n !changes['content'] &&\n !changes['simpleLineBreaks'] &&\n !changes['hostedUrl']\n ) {\n scrollToAnchor(this._elementRef.nativeElement, this._anchor, true);\n } else {\n this.refresh();\n }\n }\n\n ngAfterViewInit(): void {\n if (!this._content) {\n this._loadContent(\n (<HTMLElement>this._elementRef.nativeElement).textContent,\n );\n }\n this._viewInit = true;\n\n // Caretaker note: the `scrollToAnchor` calls `element.scrollIntoView`, a native synchronous DOM\n // API and it doesn't require Angular running `ApplicationRef.tick()` each time the markdown component is clicked.\n // Host listener (added through `@HostListener`) cause Angular to add an event listener within the Angular zone.\n // It also calls `markViewDirty()` before calling the actual listener (the decorated class method).\n this._ngZone.runOutsideAngular(() => {\n this._anchorListener = this._renderer.listen(\n this._elementRef.nativeElement,\n 'click',\n (event: MouseEvent) => {\n const element: HTMLElement = <HTMLElement>event.srcElement;\n if (\n element.matches('a[href]') &&\n isAnchorLink(<HTMLAnchorElement>element)\n ) {\n this.handleAnchorClicks(event);\n } else if (\n element.matches('a[href]') &&\n isFileLink(<HTMLAnchorElement>element, this._fileLinkExtensions)\n ) {\n this.handleFileAnchorClicks(event);\n }\n },\n );\n });\n }\n\n ngOnDestroy(): void {\n this._anchorListener?.();\n }\n\n refresh(): void {\n if (this._content) {\n this._loadContent(this._content);\n } else if (this._viewInit) {\n this._loadContent(\n (<HTMLElement>this._elementRef.nativeElement).textContent,\n );\n }\n }\n\n /**\n * General method to parse a string markdown into HTML Elements and load them into the container\n */\n private _loadContent(markdown: string | null): void {\n if (markdown && markdown.trim().length > 0) {\n // Clean container\n this._renderer.setProperty(\n this._elementRef.nativeElement,\n 'innerHTML',\n '',\n );\n // Parse html string into actual HTML elements.\n this._elementFromString(this._render(markdown));\n }\n // TODO: timeout required since resizing of html elements occurs which causes a change in the scroll position\n this._ngZone.runOutsideAngular(() =>\n setTimeout(\n () =>\n scrollToAnchor(this._elementRef.nativeElement, this._anchor, true),\n 250,\n ),\n );\n this.contentReady.emit();\n }\n\n private handleAnchorClicks(event: Event): void {\n event.preventDefault();\n const url: URL = new URL((<HTMLAnchorElement>event.target).href);\n const hash: string = decodeURI(url.hash);\n scrollToAnchor(this._elementRef.nativeElement, hash, true);\n }\n\n private handleFileAnchorClicks(event: Event): void {\n event.preventDefault();\n const url: URL = new URL((<HTMLAnchorElement>event.target).href);\n this.fileLinkClicked.emit(url);\n }\n\n private _elementFromString(markupStr: string): HTMLDivElement {\n // Renderer2 doesnt have a parsing method, so we have to sanitize and use [innerHTML]\n // to parse the string into DOM element for now.\n const div: HTMLDivElement = this._renderer.createElement('div');\n this._renderer.appendChild(this._elementRef.nativeElement, div);\n\n const html: string =\n this._domSanitizer.sanitize(\n SecurityContext.STYLE,\n changeStyleAlignmentToClass(markupStr),\n ) ?? '';\n\n const htmlWithAbsoluteHrefs: string = normalizeHtmlHrefs(\n html,\n this._hostedUrl,\n this._fileLinkExtensions,\n );\n const htmlWithAbsoluteImgSrcs: string = normalizeImageSrcs(\n htmlWithAbsoluteHrefs,\n this._hostedUrl,\n );\n const htmlWithHeadingIds: string = addIdsToHeadings(\n htmlWithAbsoluteImgSrcs,\n );\n const htmlWithVideos: SafeHtml = renderVideoElements(htmlWithHeadingIds);\n this._renderer.setProperty(div, 'innerHTML', htmlWithVideos);\n return div;\n }\n\n private _render(markdown: string): string {\n // Trim leading and trailing newlines\n markdown = markdown\n .replace(/^(\\s|\\t)*\\n+/g, '')\n .replace(/(\\s|\\t)*\\n+(\\s|\\t)*$/g, '');\n // Split markdown by line characters\n let lines: string[] = markdown.split('\\n');\n\n // check how much indentation is used by the first actual markdown line\n const firstLineWhitespaceMatch = lines[0].match(/^(\\s|\\t)*/);\n const firstLineWhitespace: string = firstLineWhitespaceMatch\n ? firstLineWhitespaceMatch[0]\n : '';\n\n // Remove all indentation spaces so markdown can be parsed correctly\n const startingWhitespaceRegex = new RegExp('^' + firstLineWhitespace);\n lines = lines.map(function (line: string): string {\n return line.replace(startingWhitespaceRegex, '');\n });\n\n // Join lines again with line characters\n const markdownToParse: string = lines.join('\\n');\n\n // Convert markdown into html\n const converter: showdown.Converter = new showdown.Converter();\n converter.setOption('ghCodeBlocks', true);\n converter.setOption('ghCompatibleHeaderId', true);\n converter.setOption('tasklists', true);\n converter.setOption('tables', true);\n converter.setOption('literalMidWordUnderscores', true);\n converter.setOption('simpleLineBreaks', this._simpleLineBreaks);\n converter.setOption('disableForced4SpacesIndentedSublists', true);\n converter.setOption('emoji', true);\n\n const markdownWithAttr: string = addMarkdownAttrToHtmlTags(markdownToParse);\n const html = converter.makeHtml(markdownWithAttr);\n return html;\n }\n}\n","<ng-content></ng-content>\n","import { Injectable, SecurityContext } from '@angular/core';\nimport { DomSanitizer } from '@angular/platform-browser';\nimport { HttpClient, HttpResponse } from '@angular/common/http';\nimport { isGithubHref, rawGithubHref } from '../markdown-utils/markdown-utils';\n\n@Injectable()\nexport class TdMarkdownLoaderService {\n constructor(private _http: HttpClient, private _sanitizer: DomSanitizer) {}\n\n async load(url: string, httpOptions: object = {}): Promise<string> {\n const sanitizedUrl: string =\n this._sanitizer.sanitize(SecurityContext.URL, url) ?? '';\n let urlToGet: string = sanitizedUrl;\n if (isGithubHref(sanitizedUrl)) {\n urlToGet = rawGithubHref(sanitizedUrl);\n }\n\n const response: HttpResponse<string> | undefined = await this._http\n .get(urlToGet, {\n ...httpOptions,\n responseType: 'text',\n observe: 'response',\n })\n .toPromise();\n const contentType: string = response?.headers.get('Content-Type') ?? '';\n if (\n contentType.includes('text/plain') ||\n contentType.includes('text/markdown')\n ) {\n return response?.body ?? '';\n } else {\n throw Error(`${contentType} is not a handled content type`);\n }\n }\n}\n","import { NgModule } from '@angular/core';\n\nimport {\n provideHttpClient,\n withInterceptorsFromDi,\n} from '@angular/common/http';\n\nimport { TdMarkdownComponent } from './markdown.component';\nimport { TdMarkdownLoaderService } from './markdown-loader/markdown-loader.service';\n\n/**\n * @deprecated This module is deprecated and will be removed in future versions.\n * Please migrate to using standalone components as soon as possible.\n */\n@NgModule({\n exports: [TdMarkdownComponent],\n imports: [TdMarkdownComponent],\n providers: [\n TdMarkdownLoaderService,\n provideHttpClient(withInterceptorsFromDi()),\n ],\n})\nexport class CovalentMarkdownModule {}\n","/**\n * Generated bundle index. Do not edit.\n */\n\nexport * from './public_api';\n"],"names":["i1","i2"],"mappings":";;;;;;;AAAM,SAAU,iBAAiB,CAAC,GAAW,EAAA;IAC3C,IAAI,GAAG,EAAE;QACP,OAAO,GAAG,CAAC,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC;;AAE/B,IAAA,OAAO,EAAE;AACX;AAEM,SAAU,kBAAkB,CAAC,GAAkB,EAAA;IACnD,IAAI,GAAG,EAAE;QACP,OAAO,GAAG,CAAC,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC;;AAE/B,IAAA,OAAO,EAAE;AACX;AAEM,SAAU,YAAY,CAAC,GAAW,EAAA;IACtC,IAAI,GAAG,EAAE;QACP,OAAO,iBAAiB,CACtB;AACG,aAAA,OAAO,CAAC,YAAY,EAAE,EAAE;;;;aAIxB,OAAO,CAAC,sCAAsC,EAAE,EAAE,CAAC,CACvD,CAAC,WAAW,EAAE;;AAEjB,IAAA,OAAO,EAAE;AACX;SAEgB,cAAc,CAC5B,KAAkB,EAClB,MAAc,EACd,SAAkB,EAAA;AAElB,IAAA,IAAI,KAAK,IAAI,MAAM,EAAE;AACnB,QAAA,MAAM,gBAAgB,GAAW,YAAY,CAAC,MAAM,CAAC;QACrD,IAAI,eAAe,GAAmB,IAAI;QAC1C,MAAM,sBAAsB,GAAG,KAAK,CAAC,aAAa,CAChD,CAAQ,KAAA,EAAA,gBAAgB,CAAI,EAAA,CAAA,CAC7B;QAED,IAAI,sBAAsB,EAAE;YAC1B,eAAe,GAAG,sBAAsB;;aACnC,IAAI,SAAS,EAAE;AACpB,YAAA,MAAM,MAAM,GAAG,KAAK,CAAC,aAAa;YAClC,IAAI,MAAM,EAAE;gBACV,eAAe,GAAG,MAAM,CAAC,aAAa,CAAC,CAAQ,KAAA,EAAA,gBAAgB,CAAI,EAAA,CAAA,CAAC;;;QAGxE,IAAI,eAAe,EAAE;YACnB,eAAe,CAAC,cAAc,CAAC,EAAE,QAAQ,EAAE,MAAM,EAAE,CAAC;AACpD,YAAA,OAAO,IAAI;;;AAGf,IAAA,OAAO,KAAK;AACd;AAEM,SAAU,YAAY,CAAC,MAA0B,EAAA;IACrD,IAAI,MAAM,EAAE;QACV,MAAM,IAAI,GAAG,MAAM,CAAC,YAAY,CAAC,MAAM,CAAC;QACxC,IAAI,IAAI,EAAE;AACR,YAAA,OAAO,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC;;;AAG/B,IAAA,OAAO,KAAK;AACd;AAEgB,SAAA,UAAU,CACxB,MAAyB,EACzB,cAAoC,EAAA;AAEpC,IAAA,IAAI,cAAc,IAAI,cAAc,CAAC,MAAM,EAAE;QAC3C,MAAM,IAAI,GAAG,MAAM,CAAC,YAAY,CAAC,MAAM,CAAC;QACxC,IAAI,IAAI,EAAE;AACR,YAAA,OAAO,cAAc,CAAC,IAAI,CAAC,CAAC,aAAa,KACvC,IAAI,CAAC,QAAQ,CAAC,aAAa,CAAC,CAC7B;;;AAGL,IAAA,OAAO,KAAK;AACd;AAEA,MAAM,mBAAmB,GAAG,2BAA2B;AAEjD,SAAU,aAAa,CAAC,UAAmB,EAAA;IAC/C,IAAI,UAAU,EAAE;AACd,QAAA,IAAI;AACF,YAAA,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAC,UAAU,CAAC;AACpC,YAAA,IAAI,GAAG,CAAC,QAAQ,KAAK,mBAAmB,EAAE;gBACxC,OAAO,GAAG,CAAC,IAAI;;AACV,iBAAA,IAAI,YAAY,CAAC,UAAU,CAAC,EAAE;AACnC,gBAAA,GAAG,CAAC,QAAQ,GAAG,mBAAmB;AAClC,gBAAA,GAAG,CAAC,QAAQ,GAAG,GAAG,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,EAAE,CAAC,CAAC,CAAC,IAAI,CAAC,EAAE,CAAC;gBACtD,OAAO,GAAG,CAAC,IAAI;;;AAEjB,QAAA,MAAM;AACN,YAAA,OAAO,EAAE;;;AAGb,IAAA,OAAO,EAAE;AACX;AAEM,SAAU,YAAY,CAAC,IAAa,EAAA;AACxC,IAAA,IAAI;QACF,MAAM,IAAI,GAAQ,IAAI,GAAG,CAAC,IAAI,IAAI,EAAE,CAAC;AACrC,QAAA,OAAO,IAAI,CAAC,QAAQ,KAAK,YAAY;;AACrC,IAAA,MAAM;AACN,QAAA,OAAO,KAAK;;AAEhB;AAEgB,SAAA,eAAe,CAAC,IAAI,GAAG,EAAE,EAAA;AACvC,IAAA,IAAI;AACF,QAAA,MAAM,IAAI,GAAQ,IAAI,GAAG,CAAC,IAAI,CAAC;AAC/B,QAAA,OAAO,IAAI,CAAC,QAAQ,KAAK,mBAAmB;;AAC5C,IAAA,MAAM;AACN,QAAA,OAAO,KAAK;;AAEhB;AAEM,SAAU,mBAAmB,CAAC,IAAY,EAAA;IAC9C,MAAM,WAAW,GACf,iJAAiJ;IACnJ,MAAM,WAAW,GACf,sHAAsH;IACxH,MAAM,OAAO,GACX,+GAA+G;IACjH,MAAM,UAAU,GACd,4HAA4H;AAE9H,IAAA,SAAS,OAAO,CAAC,KAAa,EAAE,EAAU,EAAE,KAAa,EAAA;QACvD,IAAI,KAAK,EAAE;YACT,EAAE,IAAI,GAAG,GAAG,KAAK,CAAC,OAAO,CAAC,SAAS,EAAE,GAAG,CAAC;;QAE3C,OAAO,CAAA,8EAAA,EAAiF,EAAE,CAAA,WAAA,CAAa;;AAEzG,IAAA,SAAS,SAAS,CAAC,KAAa,EAAE,EAAU,EAAE,KAAa,EAAA;QACzD,IAAI,KAAK,EAAE;YACT,EAAE,IAAI,KAAK,CAAC,OAAO,CAAC,SAAS,EAAE,GAAG,CAAC;;QAErC,OAAO,CAAA,+FAAA,EAAkG,EAAE,CAAA,WAAA,CAAa;;AAG1H,IAAA,OAAO;AACJ,SAAA,OAAO,CAAC,WAAW,EAAE,OAAO;AAC5B,SAAA,OAAO,CAAC,WAAW,EAAE,OAAO;AAC5B,SAAA,OAAO,CAAC,OAAO,EAAE,OAAO;AACxB,SAAA,OAAO,CAAC,UAAU,EAAE,SAAS,CAAC;AACnC;AAEA;;AAEG;AACG,SAAU,gBAAgB,CAAC,IAAY,EAAA;AAC3C,IAAA,MAAM,gBAAgB,GAAG;AACvB,QAAA,yBAAyB;AACzB,QAAA,wBAAwB;AACxB,QAAA,wBAAwB;AACxB,QAAA,oBAAoB;AACpB,QAAA,cAAc;AACd,QAAA,iBAAiB;AACjB,QAAA,kBAAkB;AAClB,QAAA,OAAO;AACP,QAAA,oBAAoB;AACpB,QAAA,+BAA+B;KAChC;AACD,IAAA,OAAO,gBAAgB,CAAC,IAAI,CAAC,CAAC,OAAO,KAAK,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;AAC/D;AAEA;;AAEG;SACa,mBAAmB,CACjC,GAAW,EACX,OAAe,EACf,UAAkB,EAAA;IAElB,MAAM,WAAW,GAAG,IAAI,MAAM,CAAC,CAAI,CAAA,EAAA,OAAO,CAAgB,cAAA,CAAA,EAAE,IAAI,CAAC;IACjE,MAAM,YAAY,GAAG,IAAI,MAAM,CAAC,CAAK,EAAA,EAAA,OAAO,CAAO,KAAA,CAAA,EAAE,IAAI,CAAC;IAC1D,IAAI,KAAK,GAAG,CAAC;IACb,IAAI,GAAG,GAAG,UAAU;IAEpB,OAAO,GAAG,GAAG,GAAG,CAAC,MAAM,IAAI,KAAK,GAAG,CAAC,EAAE;AACpC,QAAA,WAAW,CAAC,SAAS,GAAG,GAAG;AAC3B,QAAA,YAAY,CAAC,SAAS,GAAG,GAAG;;QAG5B,MAAM,QAAQ,GAAG,WAAW,CAAC,IAAI,CAAC,GAAG,CAAC;QACtC,MAAM,SAAS,GAAG,YAAY,CAAC,IAAI,CAAC,GAAG,CAAC;AAExC,QAAA,IAAI,CAAC,SAAS;YAAE,OAAO,CAAC,CAAC;;QAGzB,IAAI,QAAQ,IAAI,QAAQ,CAAC,KAAK,GAAG,SAAS,CAAC,KAAK,EAAE;AAChD,YAAA,KAAK,EAAE;YACP,GAAG,GAAG,QAAQ,CAAC,KAAK,GAAG,QAAQ,CAAC,CAAC,CAAC,CAAC,MAAM;;aACpC;AACL,YAAA,KAAK,EAAE;YACP,IAAI,KAAK,KAAK,CAAC;gBAAE,OAAO,SAAS,CAAC,KAAK;YACvC,GAAG,GAAG,SAAS,CAAC,KAAK,GAAG,SAAS,CAAC,CAAC,CAAC,CAAC,MAAM;;;IAI/C,OAAO,CAAC,CAAC;AACX;;;AC3KA,SAAS,aAAa,CAAC,WAAmB,EAAA;;IAExC,MAAM,KAAK,GAAG,oBAAoB;AAClC,IAAA,OAAO,KAAK,CAAC,IAAI,CAAC,WAAW,CAAC;AAChC;AAEA;AACA;AACA,SAAS,YAAY,CAAC,WAAmB,EAAE,YAAoB,EAAA;AAC7D,IAAA,IAAI,WAAW,IAAI,YAAY,EAAE;AAC/B,QAAA,IAAI,aAAa,CAAC,WAAW,CAAC,EAAE;AAC9B,YAAA,MAAM,UAAU,GAAQ,IAAI,GAAG,CAAC,WAAW,CAAC;AAC5C,YAAA,MAAM,IAAI,GAAW,UAAU,CAAC;iBAC7B,KAAK,CAAC,GAAG;AACT,iBAAA,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC;iBACX,IAAI,CAAC,GAAG,CAAC;AACZ,YAAA,MAAM,UAAU,GAAQ,IAAI,GAAG,CAAC,WAAW,CAAC;AAE5C,YAAA,IAAI,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE;;gBAEhC,MAAM,UAAU,GAAW,IAAI,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,IAAI,CAAC,GAAG,CAAC;gBAChE,UAAU,CAAC,QAAQ,GAAG,CAAA,EAAG,UAAU,CAAG,EAAA,YAAY,EAAE;;iBAC/C;gBACL,UAAU,CAAC,QAAQ,GAAG,CAAA,EAAG,IAAI,CAAI,CAAA,EAAA,YAAY,EAAE;;YAEjD,OAAO,UAAU,CAAC,IAAI;;aACjB;YACL,MAAM,IAAI,GAAW,WAAW,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,GAAG,CAAC;AAElE,YAAA,IAAI,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE;AAChC,gBAAA,OAAO,CAAG,EAAA,IAAI,CAAG,EAAA,YAAY,EAAE;;iBAC1B;AACL,gBAAA,OAAO,CAAG,EAAA,IAAI,CAAI,CAAA,EAAA,YAAY,EAAE;;;;AAItC,IAAA,OAAO,EAAE;AACX;AAEA,SAAS,kBAAkB,CACzB,IAAY,EACZ,WAAmB,EACnB,kBAA6B,EAAA;AAE7B,IAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CAAC,IAAI,EAAE,WAAW,CAAC;IAC7E;SACG,gBAAgB,CAAoB,SAAS;AAC7C,SAAA,OAAO,CAAC,CAAC,IAAuB,KAAI;AACnC,QAAA,IAAI;YACF,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAC,IAAI,CAAC,IAAI,CAAC;AACnC,YAAA,MAAM,YAAY,GAAW,GAAG,CAAC,IAAI;YACrC,MAAM,gBAAgB,GAAG,UAAU,CAAC,IAAI,EAAE,kBAAkB,CAAC;AAE7D,YAAA,IAAI,YAAY,CAAC,IAAI,CAAC,EAAE;gBACtB,IAAI,YAAY,EAAE;AAChB,oBAAA,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,YAAY,CAAC;AACrC,oBAAA,IAAI,CAAC,IAAI,GAAG,GAAG,CAAC,IAAI;;;iBAEjB,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE;;;AAG5C,gBAAA,IACE,WAAW;AACX,qBAAC,GAAG,CAAC,QAAQ,CAAC,QAAQ,CAAC,KAAK,CAAC,IAAI,gBAAgB,CAAC,EAClD;;oBAGA,MAAM,eAAe,GAAW,kBAAkB,CAChD,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC,CAC1B;oBAED,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,WAAW,EAAE,eAAe,CAAC;oBAErD,IAAI,YAAY,EAAE;AAChB,wBAAA,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,YAAY,CAAC;;AAEvC,oBAAA,IAAI,CAAC,IAAI,GAAG,GAAG,CAAC,IAAI;;AAEtB,gBAAA,IAAI,CAAC,MAAM,GAAG,gBAAgB,GAAG,OAAO,GAAG,QAAQ;;iBAC9C;;gBAEL,IAAI,GAAG,CAAC,QAAQ,CAAC,QAAQ,CAAC,KAAK,CAAC,EAAE;oBAChC,IAAI,YAAY,EAAE;AAChB,wBAAA,GAAG,CAAC,IAAI,GAAG,YAAY,CAAC,YAAY,CAAC;;AAEvC,oBAAA,IAAI,CAAC,IAAI,GAAG,GAAG,CAAC,IAAI;;AAEtB,gBAAA,IAAI,CAAC,MAAM,GAAG,QAAQ;;;AAExB,QAAA,MAAM;;AAEN,YAAA,MAAM,QAAQ,GAAG,CAAC,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC,IAAI,EAAE,EAAE,IAAI,EAAE;AACzD,YAAA,IAAI,QAAQ,CAAC,UAAU,CAAC,SAAS,CAAC,IAAI,QAAQ,CAAC,UAAU,CAAC,UAAU,CAAC,EAAE;AACrE,gBAAA,IAAI,CAAC,MAAM,GAAG,QAAQ;;;AAG5B,KAAC,CAAC;IAEJ,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;AACxD;AAEA,SAAS,kBAAkB,CAAC,IAAY,EAAE,WAAmB,EAAA;IAC3D,IAAI,WAAW,EAAE;AACf,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;QACD;aACG,gBAAgB,CAAmB,UAAU;AAC7C,aAAA,OAAO,CAAC,CAAC,KAAuB,KAAI;YACnC,MAAM,GAAG,GAAG,KAAK,CAAC,YAAY,CAAC,KAAK,CAAC,IAAI,EAAE;AAC3C,YAAA,IAAI;;AAEF,gBAAA,IAAI,GAAG,CAAC,GAAG,CAAC;AACZ,gBAAA,IAAI,YAAY,CAAC,GAAG,CAAC,EAAE;AACrB,oBAAA,KAAK,CAAC,GAAG,GAAG,aAAa,CAAC,GAAG,CAAC;;;AAEhC,YAAA,MAAM;gBACN,KAAK,CAAC,GAAG,GAAG,YAAY,CACtB,YAAY,CAAC,WAAW;AACtB,sBAAE,aAAa,CAAC,WAAW;AAC3B,sBAAE,WAAW,EACf,GAAG,CACJ;;;AAGH,YAAA,IAAI,eAAe,CAAC,KAAK,CAAC,GAAG,CAAC,EAAE;gBAC9B,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAC,KAAK,CAAC,GAAG,CAAC;gBACnC,IAAI,GAAG,CAAC,QAAQ,CAAC,QAAQ,CAAC,MAAM,CAAC,EAAE;oBACjC,GAAG,CAAC,YAAY,CAAC,GAAG,CAAC,UAAU,EAAE,MAAM,CAAC;AACxC,oBAAA,KAAK,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI;;;AAG1B,SAAC,CAAC;QAEJ,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAExD,IAAA,OAAO,IAAI;AACb;AAEA,SAAS,gBAAgB,CAAC,IAAY,EAAA;IACpC,IAAI,IAAI,EAAE;AACR,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;QACD;aACG,gBAAgB,CAAC,wBAAwB;AACzC,aAAA,OAAO,CAAC,CAAC,OAAgB,KAAI;YAC5B,MAAM,iBAAiB,GAAG,gBAAgB,CAAC,OAAO,CAAC,SAAS,CAAC;AAC7D,YAAA,MAAM,EAAE,GAAW,YAAY,CAAC,iBAAiB,CAAC;AAClD,YAAA,OAAO,CAAC,YAAY,CAAC,IAAI,EAAE,EAAE,CAAC;AAChC,SAAC,CAAC;QACJ,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAExD,IAAA,OAAO,IAAI;AACb;AAEA,SAAS,2BAA2B,CAAC,IAAY,EAAA;IAC/C,IAAI,IAAI,EAAE;AACR,QAAA,MAAM,QAAQ,GAAa,IAAI,SAAS,EAAE,CAAC,eAAe,CACxD,IAAI,EACJ,WAAW,CACZ;AACD,QAAA,CAAC,OAAO,EAAE,QAAQ,EAAE,MAAM,CAAC,CAAC,OAAO,CAAC,CAAC,SAAiB,KAAI;YACxD;AACG,iBAAA,gBAAgB,CAAC,CAAA,oBAAA,EAAuB,SAAS,CAAA,EAAA,CAAI;AACrD,iBAAA,OAAO,CAAC,CAAC,KAAc,KAAI;gBAC1B,KAAK,CAAC,YAAY,CAAC,OAAO,EAAE,CAAkB,eAAA,EAAA,SAAS,CAAE,CAAA,CAAC;AAC5D,aAAC,CAAC;AACN,SAAC,CAAC;QAEF,OAAO,IAAI,aAAa,EAAE,CAAC,iBAAiB,CAAC,QAAQ,CAAC;;AAGxD,IAAA,OAAO,IAAI;AACb;AAEA;;;;AAIG;AACH,SAAS,yBAAyB,CAAC,QAAgB,EAAA;AACjD,IAAA,MAAM,YAAY,GAAG,IAAI,GAAG,CAAC;QAC3B,MAAM;QACN,MAAM;QACN,IAAI;QACJ,KAAK;QACL,OAAO;QACP,IAAI;QACJ,KAAK;QACL,OAAO;QACP,MAAM;QACN,MAAM;QACN,OAAO;QACP,QAAQ;QACR,OAAO;QACP,KAAK;AACN,KAAA,CAAC;IAEF,MAAM,YAAY,GAAG,yCAAyC;IAC9D,IAAI,MAAM,GAAG,EAAE;IACf,IAAI,SAAS,GAAG,CAAC;AACjB,IAAA,IAAI,KAA6B;AAEjC,IAAA,OAAO,CAAC,KAAK,GAAG,YAAY,CAAC,IAAI,CAAC,QAAQ,CAAC,MAAM,IAAI,EAAE;AACrD,QAAA,MAAM,SAAS,GAAG,KAAK,CAAC,CAAC,CAAC;AAC1B,QAAA,MAAM,OAAO,GAAG,KAAK,CAAC,CAAC,CAAC;QACxB,MAAM,KAAK,GAAG,KAAK,CAAC,CAAC,CAAC,IAAI,EAAE;AAC5B,QAAA,MAAM,GAAG,GAAG,OAAO,CAAC,WAAW,EAAE;;AAGjC,QAAA,IACE,YAAY,CAAC,GAAG,CAAC,GAAG,CAAC;AACrB,YAAA,SAAS,CAAC,QAAQ,CAAC,IAAI,CAAC;AACxB,YAAA,cAAc,CAAC,IAAI,CAAC,KAAK,CAAC,EAC1B;YACA;;QAGF,MAAM,YAAY,GAAG,KAAK,CAAC,KAAK,GAAG,SAAS,CAAC,MAAM;QACnD,MAAM,eAAe,GAAG,mBAAmB,CACzC,QAAQ,EACR,OAAO,EACP,YAAY,CACb;QAED,IAAI,eAAe,KAAK,CAAC,CAAC;YAAE;QAE5B,MAAM,YAAY,GAAG,QAAQ,CAAC,KAAK,CAAC,YAAY,EAAE,eAAe,CAAC;AAElE,QAAA,IAAI,gBAAgB,CAAC,YAAY,CAAC,EAAE;YAClC,MAAM,IAAI,QAAQ,CAAC,KAAK,CAAC,SAAS,EAAE,KAAK,CAAC,KAAK,CAAC;AAChD,YAAA,MAAM,IAAI,SAAS,CAAC,OAAO,CACzB,IAAI,MAAM,CAAC,CAAI,CAAA,EAAA,OAAO,SAAS,CAAC,EAChC,IAAI,OAAO,CAAA,eAAA,CAAiB,CAC7B;YACD,SAAS,GAAG,YAAY;;;AAI5B,IAAA,MAAM,IAAI,QAAQ,CAAC,KAAK,CAAC,SAAS,CAAC;AACnC,IAAA,OAAO,MAAM;AACf;AAEA;AACA,SAAS,gBAAgB,CAAC,KAAa,EAAA;IACrC,IAAI,SAAS,GAAG,KAAK;AACrB,IAAA,IAAI,QAAQ;AAEZ,IAAA,GAAG;QACD,QAAQ,GAAG,SAAS;QACpB,SAAS,GAAG,SAAS,CAAC,OAAO,CAAC,UAAU,EAAE,EAAE,CAAC;AAC/C,KAAC,QAAQ,QAAQ,KAAK,SAAS;AAE/B,IAAA,OAAO,SAAS;AAClB;MAOa,mBAAmB,CAAA;AAmFpB,IAAA,SAAA;AACA,IAAA,WAAA;AACA,IAAA,aAAA;AACA,IAAA,OAAA;AAnFF,IAAA,QAAQ;IACR,iBAAiB,GAAG,KAAK;AACzB,IAAA,UAAU;AACV,IAAA,OAAO;IACP,SAAS,GAAG,KAAK;AACjB,IAAA,mBAAmB;AACnB,IAAA,eAAe;AACvB;;AAEG;IACmB,KAAK,GAAG,aAAa;AAE3C;;;;;;AAMG;IACH,IACI,OAAO,CAAC,OAAe,EAAA;AACzB,QAAA,IAAI,CAAC,QAAQ,GAAG,OAAO;;AAGzB;;;;;AAKG;IACH,IACI,gBAAgB,CAAC,gBAAyB,EAAA;AAC5C,QAAA,IAAI,CAAC,iBAAiB,GAAG,gBAAgB;;AAG3C;;;;;AAKG;IACH,IACI,SAAS,CAAC,SAAiB,EAAA;AAC7B,QAAA,IAAI,CAAC,UAAU,GAAG,SAAS;;AAG7B;;;;;AAKG;IACH,IACI,MAAM,CAAC,MAAc,EAAA;AACvB,QAAA,IAAI,CAAC,OAAO,GAAG,MAAM;;AAGvB;;;;AAIG;IACH,IACI,kBAAkB,CAAC,UAAgC,EAAA;AACrD,QAAA,IAAI,CAAC,mBAAmB,GAAG,UAAU;;AAGvC;;;AAGG;AACO,IAAA,eAAe,GAAG,IAAI,YAAY,EAAO;AAEnD;;;AAGG;AACO,IAAA,YAAY,GAAuB,IAAI,YAAY,EAAQ;AAErE,IAAA,WAAA,CACU,SAAoB,EACpB,WAAuB,EACvB,aAA2B,EAC3B,OAAe,EAAA;QAHf,IAAS,CAAA,SAAA,GAAT,SAAS;QACT,IAAW,CAAA,WAAA,GAAX,WAAW;QACX,IAAa,CAAA,aAAA,GAAb,aAAa;QACb,IAAO,CAAA,OAAA,GAAP,OAAO;;AAGjB,IAAA,WAAW,CAAC,OAAsB,EAAA;;QAEhC,IACE,OAAO,CAAC,QAAQ,CAAC;YACjB,CAAC,OAAO,CAAC,SAAS,CAAC;YACnB,CAAC,OAAO,CAAC,kBAAkB,CAAC;AAC5B,YAAA,CAAC,OAAO,CAAC,WAAW,CAAC,EACrB;AACA,YAAA,cAAc,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,IAAI,CAAC,OAAO,EAAE,IAAI,CAAC;;aAC7D;YACL,IAAI,CAAC,OAAO,EAAE;;;IAIlB,eAAe,GAAA;AACb,QAAA,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;YAClB,IAAI,CAAC,YAAY,CACD,IAAI,CAAC,WAAW,CAAC,aAAc,CAAC,WAAW,CAC1D;;AAEH,QAAA,IAAI,CAAC,SAAS,GAAG,IAAI;;;;;AAMrB,QAAA,IAAI,CAAC,OAAO,CAAC,iBAAiB,CAAC,MAAK;YAClC,IAAI,CAAC,eAAe,GAAG,IAAI,CAAC,SAAS,CAAC,MAAM,CAC1C,IAAI,CAAC,WAAW,CAAC,aAAa,EAC9B,OAAO,EACP,CAAC,KAAiB,KAAI;AACpB,gBAAA,MAAM,OAAO,GAA6B,KAAK,CAAC,UAAU;AAC1D,gBAAA,IACE,OAAO,CAAC,OAAO,CAAC,SAAS,CAAC;AAC1B,oBAAA,YAAY,CAAoB,OAAO,CAAC,EACxC;AACA,oBAAA,IAAI,CAAC,kBAAkB,CAAC,KAAK,CAAC;;AACzB,qBAAA,IACL,OAAO,CAAC,OAAO,CAAC,SAAS,CAAC;oBAC1B,UAAU,CAAoB,OAAO,EAAE,IAAI,CAAC,mBAAmB,CAAC,EAChE;AACA,oBAAA,IAAI,CAAC,sBAAsB,CAAC,KAAK,CAAC;;AAEtC,aAAC,CACF;AACH,SAAC,CAAC;;IAGJ,WAAW,GAAA;AACT,QAAA,IAAI,CAAC,eAAe,IAAI;;IAG1B,OAAO,GAAA;AACL,QAAA,IAAI,IAAI,CAAC,QAAQ,EAAE;AACjB,YAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,QAAQ,CAAC;;AAC3B,aAAA,IAAI,IAAI,CAAC,SAAS,EAAE;YACzB,IAAI,CAAC,YAAY,CACD,IAAI,CAAC,WAAW,CAAC,aAAc,CAAC,WAAW,CAC1D;;;AAIL;;AAEG;AACK,IAAA,YAAY,CAAC,QAAuB,EAAA;QAC1C,IAAI,QAAQ,IAAI,QAAQ,CAAC,IAAI,EAAE,CAAC,MAAM,GAAG,CAAC,EAAE;;AAE1C,YAAA,IAAI,CAAC,SAAS,CAAC,WAAW,CACxB,IAAI,CAAC,WAAW,CAAC,aAAa,EAC9B,WAAW,EACX,EAAE,CACH;;YAED,IAAI,CAAC,kBAAkB,CAAC,IAAI,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;;;AAGjD,QAAA,IAAI,CAAC,OAAO,CAAC,iBAAiB,CAAC,MAC7B,UAAU,CACR,MACE,cAAc,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,IAAI,CAAC,OAAO,EAAE,IAAI,CAAC,EACpE,GAAG,CACJ,CACF;AACD,QAAA,IAAI,CAAC,YAAY,CAAC,IAAI,EAAE;;AAGlB,IAAA,kBAAkB,CAAC,KAAY,EAAA;QACrC,KAAK,CAAC,cAAc,EAAE;QACtB,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAqB,KAAK,CAAC,MAAO,CAAC,IAAI,CAAC;QAChE,MAAM,IAAI,GAAW,SAAS,CAAC,GAAG,CAAC,IAAI,CAAC;QACxC,cAAc,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,IAAI,EAAE,IAAI,CAAC;;AAGpD,IAAA,sBAAsB,CAAC,KAAY,EAAA;QACzC,KAAK,CAAC,cAAc,EAAE;QACtB,MAAM,GAAG,GAAQ,IAAI,GAAG,CAAqB,KAAK,CAAC,MAAO,CAAC,IAAI,CAAC;AAChE,QAAA,IAAI,CAAC,eAAe,CAAC,IAAI,CAAC,GAAG,CAAC;;AAGxB,IAAA,kBAAkB,CAAC,SAAiB,EAAA;;;QAG1C,MAAM,GAAG,GAAmB,IAAI,CAAC,SAAS,CAAC,aAAa,CAAC,KAAK,CAAC;AAC/D,QAAA,IAAI,CAAC,SAAS,CAAC,WAAW,CAAC,IAAI,CAAC,WAAW,CAAC,aAAa,EAAE,GAAG,CAAC;AAE/D,QAAA,MAAM,IAAI,GACR,IAAI,CAAC,aAAa,CAAC,QAAQ,CACzB,eAAe,CAAC,KAAK,EACrB,2BAA2B,CAAC,SAAS,CAAC,CACvC,IAAI,EAAE;AAET,QAAA,MAAM,qBAAqB,GAAW,kBAAkB,CACtD,IAAI,EACJ,IAAI,CAAC,UAAU,EACf,IAAI,CAAC,mBAAmB,CACzB;QACD,MAAM,uBAAuB,GAAW,kBAAkB,CACxD,qBAAqB,EACrB,IAAI,CAAC,UAAU,CAChB;AACD,QAAA,MAAM,kBAAkB,GAAW,gBAAgB,CACjD,uBAAuB,CACxB;AACD,QAAA,MAAM,cAAc,GAAa,mBAAmB,CAAC,kBAAkB,CAAC;QACxE,IAAI,CAAC,SAAS,CAAC,WAAW,CAAC,GAAG,EAAE,WAAW,EAAE,cAAc,CAAC;AAC5D,QAAA,OAAO,GAAG;;AAGJ,IAAA,OAAO,CAAC,QAAgB,EAAA;;AAE9B,QAAA,QAAQ,GAAG;AACR,aAAA,OAAO,CAAC,eAAe,EAAE,EAAE;AAC3B,aAAA,OAAO,CAAC,uBAAuB,EAAE,EAAE,CAAC;;QAEvC,IAAI,KAAK,GAAa,QAAQ,CAAC,KAAK,CAAC,IAAI,CAAC;;QAG1C,MAAM,wBAAwB,GAAG,KAAK,CAAC,CAAC,CAAC,CAAC,KAAK,CAAC,WAAW,CAAC;QAC5D,MAAM,mBAAmB,GAAW;AAClC,cAAE,wBAAwB,CAAC,CAAC;cAC1B,EAAE;;QAGN,MAAM,uBAAuB,GAAG,IAAI,MAAM,CAAC,GAAG,GAAG,mBAAmB,CAAC;AACrE,QAAA,KAAK,GAAG,KAAK,CAAC,GAAG,CAAC,UAAU,IAAY,EAAA;YACtC,OAAO,IAAI,CAAC,OAAO,CAAC,uBAAuB,EAAE,EAAE,CAAC;AAClD,SAAC,CAAC;;QAGF,MAAM,eAAe,GAAW,KAAK,CAAC,IAAI,CAAC,IAAI,CAAC;;AAGhD,QAAA,MAAM,SAAS,GAAuB,IAAI,QAAQ,CAAC,SAAS,EAAE;AAC9D,QAAA,SAAS,CAAC,SAAS,CAAC,cAAc,EAAE,IAAI,CAAC;AACzC,QAAA,SAAS,CAAC,SAAS,CAAC,sBAAsB,EAAE,IAAI,CAAC;AACjD,QAAA,SAAS,CAAC,SAAS,CAAC,WAAW,EAAE,IAAI,CAAC;AACtC,QAAA,SAAS,CAAC,SAAS,CAAC,QAAQ,EAAE,IAAI,CAAC;AACnC,QAAA,SAAS,CAAC,SAAS,CAAC,2BAA2B,EAAE,IAAI,CAAC;QACtD,SAAS,CAAC,SAAS,CAAC,kBAAkB,EAAE,IAAI,CAAC,iBAAiB,CAAC;AAC/D,QAAA,SAAS,CAAC,SAAS,CAAC,sCAAsC,EAAE,IAAI,CAAC;AACjE,QAAA,SAAS,CAAC,SAAS,CAAC,OAAO,EAAE,IAAI,CAAC;AAElC,QAAA,MAAM,gBAAgB,GAAW,yBAAyB,CAAC,eAAe,CAAC;QAC3E,MAAM,IAAI,GAAG,SAAS,CAAC,QAAQ,CAAC,gBAAgB,CAAC;AACjD,QAAA,OAAO,IAAI;;6GA9PF,mBAAmB,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,SAAA,CAAA,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,UAAA,CAAA,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,YAAA,CAAA,EAAA,EAAA,CAAA,iBAAA,CAAA,EAAA,CAAA,MAAA,CAAA,CAAA,CAAA,EAAA;6DAAnB,mBAAmB,EAAA,SAAA,EAAA,CAAA,CAAA,aAAA,CAAA,CAAA,EAAA,QAAA,EAAA,CAAA,EAAA,YAAA,EAAA,SAAA,gCAAA,CAAA,EAAA,EAAA,GAAA,EAAA,EAAA,IAAA,EAAA,GAAA,CAAA,EAAA;YAAnB,EAAmB,CAAA,UAAA,CAAA,GAAA,CAAA,KAAA,CAAA;;;YCxShC,EAAyB,CAAA,YAAA,CAAA,CAAA,CAAA;;;iFDwSZ,mBAAmB,EAAA,CAAA;cAL/B,SAAS;2BACE,aAAa,EAAA,QAAA,EAAA,6BAAA,EAAA,MAAA,EAAA,CAAA,+1VAAA,CAAA,EAAA;mHAiBD,KAAK,EAAA,CAAA;kBAA1B,WAAW;mBAAC,OAAO;YAUhB,OAAO,EAAA,CAAA;kBADV;YAYG,gBAAgB,EAAA,CAAA;kBADnB;YAYG,SAAS,EAAA,CAAA;kBADZ;YAYG,MAAM,EAAA,CAAA;kBADT;YAWG,kBAAkB,EAAA,CAAA;kBADrB;YASS,eAAe,EAAA,CAAA;kBAAxB;YAMS,YAAY,EAAA,CAAA;kBAArB;;kFAhFU,mBAAmB,EAAA,EAAA,SAAA,EAAA,qBAAA,EAAA,QAAA,EAAA,2BAAA,EAAA,UAAA,EAAA,GAAA,EAAA,CAAA,CAAA,EAAA,GAAA;;MElSnB,uBAAuB,CAAA;AACd,IAAA,KAAA;AAA2B,IAAA,UAAA;IAA/C,WAAoB,CAAA,KAAiB,EAAU,UAAwB,EAAA;QAAnD,IAAK,CAAA,KAAA,GAAL,KAAK;QAAsB,IAAU,CAAA,UAAA,GAAV,UAAU;;AAEzD,IAAA,MAAM,IAAI,CAAC,GAAW,EAAE,cAAsB,EAAE,EAAA;AAC9C,QAAA,MAAM,YAAY,GAChB,IAAI,CAAC,UAAU,CAAC,QAAQ,CAAC,eAAe,CAAC,GAAG,EAAE,GAAG,CAAC,IAAI,EAAE;QAC1D,IAAI,QAAQ,GAAW,YAAY;AACnC,QAAA,IAAI,YAAY,CAAC,YAAY,CAAC,EAAE;AAC9B,YAAA,QAAQ,GAAG,aAAa,CAAC,YAAY,CAAC;;AAGxC,QAAA,MAAM,QAAQ,GAAqC,MAAM,IAAI,CAAC;aAC3D,GAAG,CAAC,QAAQ,EAAE;AACb,YAAA,GAAG,WAAW;AACd,YAAA,YAAY,EAAE,MAAM;AACpB,YAAA,OAAO,EAAE,UAAU;SACpB;AACA,aAAA,SAAS,EAAE;AACd,QAAA,MAAM,WAAW,GAAW,QAAQ,EAAE,OAAO,CAAC,GAAG,CAAC,cAAc,CAAC,IAAI,EAAE;AACvE,QAAA,IACE,WAAW,CAAC,QAAQ,CAAC,YAAY,CAAC;AAClC,YAAA,WAAW,CAAC,QAAQ,CAAC,eAAe,CAAC,EACrC;AACA,YAAA,OAAO,QAAQ,EAAE,IAAI,IAAI,EAAE;;aACtB;AACL,YAAA,MAAM,KAAK,CAAC,CAAA,EAAG,WAAW,CAAA,8BAAA,CAAgC,CAAC;;;iHAzBpD,uBAAuB,EAAA,EAAA,CAAA,QAAA,CAAAA,IAAA,CAAA,UAAA,CAAA,EAAA,EAAA,CAAA,QAAA,CAAAC,EAAA,CAAA,YAAA,CAAA,CAAA,CAAA,EAAA;AAAvB,IAAA,OAAA,KAAA,iBAAA,EAAA,CAAA,kBAAA,CAAA,EAAA,KAAA,EAAA,uBAAuB,WAAvB,uBAAuB,CAAA,IAAA,EAAA,CAAA;;iFAAvB,uBAAuB,EAAA,CAAA;cADnC;;;ACKD;;;AAGG;MASU,sBAAsB,CAAA;gHAAtB,sBAAsB,GAAA,CAAA,EAAA;4DAAtB,sBAAsB,EAAA,CAAA;AALtB,IAAA,OAAA,IAAA,iBAAA,EAAA,CAAA,gBAAA,CAAA,EAAA,SAAA,EAAA;YACT,uBAAuB;YACvB,iBAAiB,CAAC,sBAAsB,EAAE,CAAC;AAC5C,SAAA,EAAA,CAAA;;iFAEU,sBAAsB,EAAA,CAAA;cARlC,QAAQ;AAAC,QAAA,IAAA,EAAA,CAAA;gBACR,OAAO,EAAE,CAAC,mBAAmB,CAAC;gBAC9B,OAAO,EAAE,CAAC,mBAAmB,CAAC;AAC9B,gBAAA,SAAS,EAAE;oBACT,uBAAuB;oBACvB,iBAAiB,CAAC,sBAAsB,EAAE,CAAC;AAC5C,iBAAA;AACF,aAAA;;wFACY,sBAAsB,EAAA,EAAA,OAAA,EAAA,CANvB,mBAAmB,CAAA,EAAA,OAAA,EAAA,CADnB,mBAAmB,CAAA,EAAA,CAAA,CAAA,EAAA,GAAA;;ACf/B;;AAEG;;;;"}
|
|
@@ -8,3 +8,11 @@ export declare function rawGithubHref(githubHref?: string): string;
|
|
|
8
8
|
export declare function isGithubHref(href?: string): boolean;
|
|
9
9
|
export declare function isRawGithubHref(href?: string): boolean;
|
|
10
10
|
export declare function renderVideoElements(html: string): string;
|
|
11
|
+
/**
|
|
12
|
+
* Checks whether text contains markdown syntax patterns.
|
|
13
|
+
*/
|
|
14
|
+
export declare function containsMarkdown(text: string): boolean;
|
|
15
|
+
/**
|
|
16
|
+
* Finds the index of the matching closing tag, handling nested same-name tags.
|
|
17
|
+
*/
|
|
18
|
+
export declare function findClosingTagIndex(str: string, tagName: string, searchFrom: number): number;
|