Merge commit '76f2664277e07a7d1b011fac236840c6e8e69fdd' into v4
This commit is contained in:
		@@ -1,9 +1,9 @@
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
 | 
			
		||||
function ArticleTitle({ fileData }: QuartzComponentProps) {
 | 
			
		||||
function ArticleTitle({ fileData, displayClass }: QuartzComponentProps) {
 | 
			
		||||
  const title = fileData.frontmatter?.title
 | 
			
		||||
  if (title) {
 | 
			
		||||
    return <h1 class="article-title">{title}</h1>
 | 
			
		||||
    return <h1 class={`article-title ${displayClass ?? ""}`}>{title}</h1>
 | 
			
		||||
  } else {
 | 
			
		||||
    return null
 | 
			
		||||
  }
 | 
			
		||||
 
 | 
			
		||||
@@ -2,11 +2,11 @@ import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
import style from "./styles/backlinks.scss"
 | 
			
		||||
import { resolveRelative, simplifySlug } from "../util/path"
 | 
			
		||||
 | 
			
		||||
function Backlinks({ fileData, allFiles }: QuartzComponentProps) {
 | 
			
		||||
function Backlinks({ fileData, allFiles, displayClass }: QuartzComponentProps) {
 | 
			
		||||
  const slug = simplifySlug(fileData.slug!)
 | 
			
		||||
  const backlinkFiles = allFiles.filter((file) => file.links?.includes(slug))
 | 
			
		||||
  return (
 | 
			
		||||
    <div class="backlinks">
 | 
			
		||||
    <div class={`backlinks ${displayClass ?? ""}`}>
 | 
			
		||||
      <h3>Backlinks</h3>
 | 
			
		||||
      <ul class="overflow">
 | 
			
		||||
        {backlinkFiles.length > 0 ? (
 | 
			
		||||
 
 | 
			
		||||
							
								
								
									
										116
									
								
								quartz/components/Breadcrumbs.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										116
									
								
								quartz/components/Breadcrumbs.tsx
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,116 @@
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
import breadcrumbsStyle from "./styles/breadcrumbs.scss"
 | 
			
		||||
import { FullSlug, SimpleSlug, resolveRelative } from "../util/path"
 | 
			
		||||
import { QuartzPluginData } from "../plugins/vfile"
 | 
			
		||||
 | 
			
		||||
type CrumbData = {
 | 
			
		||||
  displayName: string
 | 
			
		||||
  path: string
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
interface BreadcrumbOptions {
 | 
			
		||||
  /**
 | 
			
		||||
   * Symbol between crumbs
 | 
			
		||||
   */
 | 
			
		||||
  spacerSymbol: string
 | 
			
		||||
  /**
 | 
			
		||||
   * Name of first crumb
 | 
			
		||||
   */
 | 
			
		||||
  rootName: string
 | 
			
		||||
  /**
 | 
			
		||||
   * wether to look up frontmatter title for folders (could cause performance problems with big vaults)
 | 
			
		||||
   */
 | 
			
		||||
  resolveFrontmatterTitle: boolean
 | 
			
		||||
  /**
 | 
			
		||||
   * Wether to display breadcrumbs on root `index.md`
 | 
			
		||||
   */
 | 
			
		||||
  hideOnRoot: boolean
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
const defaultOptions: BreadcrumbOptions = {
 | 
			
		||||
  spacerSymbol: "❯",
 | 
			
		||||
  rootName: "Home",
 | 
			
		||||
  resolveFrontmatterTitle: true,
 | 
			
		||||
  hideOnRoot: true,
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
function formatCrumb(displayName: string, baseSlug: FullSlug, currentSlug: SimpleSlug): CrumbData {
 | 
			
		||||
  return {
 | 
			
		||||
    displayName: displayName.replaceAll("-", " "),
 | 
			
		||||
    path: resolveRelative(baseSlug, currentSlug),
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export default ((opts?: Partial<BreadcrumbOptions>) => {
 | 
			
		||||
  // Merge options with defaults
 | 
			
		||||
  const options: BreadcrumbOptions = { ...defaultOptions, ...opts }
 | 
			
		||||
 | 
			
		||||
  // computed index of folder name to its associated file data
 | 
			
		||||
  let folderIndex: Map<string, QuartzPluginData> | undefined
 | 
			
		||||
 | 
			
		||||
  function Breadcrumbs({ fileData, allFiles, displayClass }: QuartzComponentProps) {
 | 
			
		||||
    // Hide crumbs on root if enabled
 | 
			
		||||
    if (options.hideOnRoot && fileData.slug === "index") {
 | 
			
		||||
      return <></>
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    // Format entry for root element
 | 
			
		||||
    const firstEntry = formatCrumb(options.rootName, fileData.slug!, "/" as SimpleSlug)
 | 
			
		||||
    const crumbs: CrumbData[] = [firstEntry]
 | 
			
		||||
 | 
			
		||||
    if (!folderIndex && options.resolveFrontmatterTitle) {
 | 
			
		||||
      folderIndex = new Map()
 | 
			
		||||
      // construct the index for the first time
 | 
			
		||||
      for (const file of allFiles) {
 | 
			
		||||
        if (file.slug?.endsWith("index")) {
 | 
			
		||||
          const folderParts = file.filePath?.split("/")
 | 
			
		||||
          if (folderParts) {
 | 
			
		||||
            const folderName = folderParts[folderParts?.length - 2]
 | 
			
		||||
            folderIndex.set(folderName, file)
 | 
			
		||||
          }
 | 
			
		||||
        }
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    // Split slug into hierarchy/parts
 | 
			
		||||
    const slugParts = fileData.slug?.split("/")
 | 
			
		||||
    if (slugParts) {
 | 
			
		||||
      // full path until current part
 | 
			
		||||
      let currentPath = ""
 | 
			
		||||
      for (let i = 0; i < slugParts.length - 1; i++) {
 | 
			
		||||
        let curPathSegment = slugParts[i]
 | 
			
		||||
 | 
			
		||||
        // Try to resolve frontmatter folder title
 | 
			
		||||
        const currentFile = folderIndex?.get(curPathSegment)
 | 
			
		||||
        if (currentFile) {
 | 
			
		||||
          curPathSegment = currentFile.frontmatter!.title
 | 
			
		||||
        }
 | 
			
		||||
 | 
			
		||||
        // Add current slug to full path
 | 
			
		||||
        currentPath += slugParts[i] + "/"
 | 
			
		||||
 | 
			
		||||
        // Format and add current crumb
 | 
			
		||||
        const crumb = formatCrumb(curPathSegment, fileData.slug!, currentPath as SimpleSlug)
 | 
			
		||||
        crumbs.push(crumb)
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      // Add current file to crumb (can directly use frontmatter title)
 | 
			
		||||
      crumbs.push({
 | 
			
		||||
        displayName: fileData.frontmatter!.title,
 | 
			
		||||
        path: "",
 | 
			
		||||
      })
 | 
			
		||||
    }
 | 
			
		||||
    return (
 | 
			
		||||
      <nav class={`breadcrumb-container ${displayClass ?? ""}`} aria-label="breadcrumbs">
 | 
			
		||||
        {crumbs.map((crumb, index) => (
 | 
			
		||||
          <div class="breadcrumb-element">
 | 
			
		||||
            <a href={crumb.path}>{crumb.displayName}</a>
 | 
			
		||||
            {index !== crumbs.length - 1 && <p>{` ${options.spacerSymbol} `}</p>}
 | 
			
		||||
          </div>
 | 
			
		||||
        ))}
 | 
			
		||||
      </nav>
 | 
			
		||||
    )
 | 
			
		||||
  }
 | 
			
		||||
  Breadcrumbs.css = breadcrumbsStyle
 | 
			
		||||
  return Breadcrumbs
 | 
			
		||||
}) satisfies QuartzComponentConstructor
 | 
			
		||||
@@ -3,7 +3,7 @@ import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
import readingTime from "reading-time"
 | 
			
		||||
 | 
			
		||||
export default (() => {
 | 
			
		||||
  function ContentMetadata({ cfg, fileData }: QuartzComponentProps) {
 | 
			
		||||
  function ContentMetadata({ cfg, fileData, displayClass }: QuartzComponentProps) {
 | 
			
		||||
    const text = fileData.text
 | 
			
		||||
    if (text) {
 | 
			
		||||
      const segments: string[] = []
 | 
			
		||||
@@ -14,7 +14,7 @@ export default (() => {
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      segments.push(timeTaken)
 | 
			
		||||
      return <p class="content-meta">{segments.join(", ")}</p>
 | 
			
		||||
      return <p class={`content-meta ${displayClass ?? ""}`}>{segments.join(", ")}</p>
 | 
			
		||||
    } else {
 | 
			
		||||
      return null
 | 
			
		||||
    }
 | 
			
		||||
 
 | 
			
		||||
@@ -3,11 +3,11 @@
 | 
			
		||||
// see: https://v8.dev/features/modules#defer
 | 
			
		||||
import darkmodeScript from "./scripts/darkmode.inline"
 | 
			
		||||
import styles from "./styles/darkmode.scss"
 | 
			
		||||
import { QuartzComponentConstructor } from "./types"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
 | 
			
		||||
function Darkmode() {
 | 
			
		||||
function Darkmode({ displayClass }: QuartzComponentProps) {
 | 
			
		||||
  return (
 | 
			
		||||
    <div class="darkmode">
 | 
			
		||||
    <div class={`darkmode ${displayClass ?? ""}`}>
 | 
			
		||||
      <input class="toggle" id="darkmode-toggle" type="checkbox" tabIndex={-1} />
 | 
			
		||||
      <label id="toggle-label-light" for="darkmode-toggle" tabIndex={-1}>
 | 
			
		||||
        <svg
 | 
			
		||||
 
 | 
			
		||||
							
								
								
									
										126
									
								
								quartz/components/Explorer.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										126
									
								
								quartz/components/Explorer.tsx
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,126 @@
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
import explorerStyle from "./styles/explorer.scss"
 | 
			
		||||
 | 
			
		||||
// @ts-ignore
 | 
			
		||||
import script from "./scripts/explorer.inline"
 | 
			
		||||
import { ExplorerNode, FileNode, Options } from "./ExplorerNode"
 | 
			
		||||
import { QuartzPluginData } from "../plugins/vfile"
 | 
			
		||||
 | 
			
		||||
// Options interface defined in `ExplorerNode` to avoid circular dependency
 | 
			
		||||
const defaultOptions = {
 | 
			
		||||
  title: "Explorer",
 | 
			
		||||
  folderClickBehavior: "collapse",
 | 
			
		||||
  folderDefaultState: "collapsed",
 | 
			
		||||
  useSavedState: true,
 | 
			
		||||
  sortFn: (a, b) => {
 | 
			
		||||
    // Sort order: folders first, then files. Sort folders and files alphabetically
 | 
			
		||||
    if ((!a.file && !b.file) || (a.file && b.file)) {
 | 
			
		||||
      // numeric: true: Whether numeric collation should be used, such that "1" < "2" < "10"
 | 
			
		||||
      // sensitivity: "base": Only strings that differ in base letters compare as unequal. Examples: a ≠ b, a = á, a = A
 | 
			
		||||
      return a.displayName.localeCompare(b.displayName, undefined, {
 | 
			
		||||
        numeric: true,
 | 
			
		||||
        sensitivity: "base",
 | 
			
		||||
      })
 | 
			
		||||
    }
 | 
			
		||||
    if (a.file && !b.file) {
 | 
			
		||||
      return 1
 | 
			
		||||
    } else {
 | 
			
		||||
      return -1
 | 
			
		||||
    }
 | 
			
		||||
  },
 | 
			
		||||
  filterFn: (node) => node.name !== "tags",
 | 
			
		||||
  order: ["filter", "map", "sort"],
 | 
			
		||||
} satisfies Options
 | 
			
		||||
 | 
			
		||||
export default ((userOpts?: Partial<Options>) => {
 | 
			
		||||
  // Parse config
 | 
			
		||||
  const opts: Options = { ...defaultOptions, ...userOpts }
 | 
			
		||||
 | 
			
		||||
  // memoized
 | 
			
		||||
  let fileTree: FileNode
 | 
			
		||||
  let jsonTree: string
 | 
			
		||||
 | 
			
		||||
  function constructFileTree(allFiles: QuartzPluginData[]) {
 | 
			
		||||
    if (!fileTree) {
 | 
			
		||||
      // Construct tree from allFiles
 | 
			
		||||
      fileTree = new FileNode("")
 | 
			
		||||
      allFiles.forEach((file) => fileTree.add(file, 1))
 | 
			
		||||
 | 
			
		||||
      /**
 | 
			
		||||
       * Keys of this object must match corresponding function name of `FileNode`,
 | 
			
		||||
       * while values must be the argument that will be passed to the function.
 | 
			
		||||
       *
 | 
			
		||||
       * e.g. entry for FileNode.sort: `sort: opts.sortFn` (value is sort function from options)
 | 
			
		||||
       */
 | 
			
		||||
      const functions = {
 | 
			
		||||
        map: opts.mapFn,
 | 
			
		||||
        sort: opts.sortFn,
 | 
			
		||||
        filter: opts.filterFn,
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      // Execute all functions (sort, filter, map) that were provided (if none were provided, only default "sort" is applied)
 | 
			
		||||
      if (opts.order) {
 | 
			
		||||
        // Order is important, use loop with index instead of order.map()
 | 
			
		||||
        for (let i = 0; i < opts.order.length; i++) {
 | 
			
		||||
          const functionName = opts.order[i]
 | 
			
		||||
          if (functions[functionName]) {
 | 
			
		||||
            // for every entry in order, call matching function in FileNode and pass matching argument
 | 
			
		||||
            // e.g. i = 0; functionName = "filter"
 | 
			
		||||
            // converted to: (if opts.filterFn) => fileTree.filter(opts.filterFn)
 | 
			
		||||
 | 
			
		||||
            // @ts-ignore
 | 
			
		||||
            // typescript cant statically check these dynamic references, so manually make sure reference is valid and ignore warning
 | 
			
		||||
            fileTree[functionName].call(fileTree, functions[functionName])
 | 
			
		||||
          }
 | 
			
		||||
        }
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      // Get all folders of tree. Initialize with collapsed state
 | 
			
		||||
      const folders = fileTree.getFolderPaths(opts.folderDefaultState === "collapsed")
 | 
			
		||||
 | 
			
		||||
      // Stringify to pass json tree as data attribute ([data-tree])
 | 
			
		||||
      jsonTree = JSON.stringify(folders)
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  function Explorer({ allFiles, displayClass, fileData }: QuartzComponentProps) {
 | 
			
		||||
    constructFileTree(allFiles)
 | 
			
		||||
    return (
 | 
			
		||||
      <div class={`explorer ${displayClass ?? ""}`}>
 | 
			
		||||
        <button
 | 
			
		||||
          type="button"
 | 
			
		||||
          id="explorer"
 | 
			
		||||
          data-behavior={opts.folderClickBehavior}
 | 
			
		||||
          data-collapsed={opts.folderDefaultState}
 | 
			
		||||
          data-savestate={opts.useSavedState}
 | 
			
		||||
          data-tree={jsonTree}
 | 
			
		||||
        >
 | 
			
		||||
          <h1>{opts.title}</h1>
 | 
			
		||||
          <svg
 | 
			
		||||
            xmlns="http://www.w3.org/2000/svg"
 | 
			
		||||
            width="14"
 | 
			
		||||
            height="14"
 | 
			
		||||
            viewBox="5 8 14 8"
 | 
			
		||||
            fill="none"
 | 
			
		||||
            stroke="currentColor"
 | 
			
		||||
            stroke-width="2"
 | 
			
		||||
            stroke-linecap="round"
 | 
			
		||||
            stroke-linejoin="round"
 | 
			
		||||
            class="fold"
 | 
			
		||||
          >
 | 
			
		||||
            <polyline points="6 9 12 15 18 9"></polyline>
 | 
			
		||||
          </svg>
 | 
			
		||||
        </button>
 | 
			
		||||
        <div id="explorer-content">
 | 
			
		||||
          <ul class="overflow" id="explorer-ul">
 | 
			
		||||
            <ExplorerNode node={fileTree} opts={opts} fileData={fileData} />
 | 
			
		||||
            <li id="explorer-end" />
 | 
			
		||||
          </ul>
 | 
			
		||||
        </div>
 | 
			
		||||
      </div>
 | 
			
		||||
    )
 | 
			
		||||
  }
 | 
			
		||||
  Explorer.css = explorerStyle
 | 
			
		||||
  Explorer.afterDOMLoaded = script
 | 
			
		||||
  return Explorer
 | 
			
		||||
}) satisfies QuartzComponentConstructor
 | 
			
		||||
							
								
								
									
										224
									
								
								quartz/components/ExplorerNode.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										224
									
								
								quartz/components/ExplorerNode.tsx
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,224 @@
 | 
			
		||||
// @ts-ignore
 | 
			
		||||
import { QuartzPluginData } from "../plugins/vfile"
 | 
			
		||||
import { resolveRelative } from "../util/path"
 | 
			
		||||
 | 
			
		||||
type OrderEntries = "sort" | "filter" | "map"
 | 
			
		||||
 | 
			
		||||
export interface Options {
 | 
			
		||||
  title: string
 | 
			
		||||
  folderDefaultState: "collapsed" | "open"
 | 
			
		||||
  folderClickBehavior: "collapse" | "link"
 | 
			
		||||
  useSavedState: boolean
 | 
			
		||||
  sortFn: (a: FileNode, b: FileNode) => number
 | 
			
		||||
  filterFn?: (node: FileNode) => boolean
 | 
			
		||||
  mapFn?: (node: FileNode) => void
 | 
			
		||||
  order?: OrderEntries[]
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
type DataWrapper = {
 | 
			
		||||
  file: QuartzPluginData
 | 
			
		||||
  path: string[]
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export type FolderState = {
 | 
			
		||||
  path: string
 | 
			
		||||
  collapsed: boolean
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
// Structure to add all files into a tree
 | 
			
		||||
export class FileNode {
 | 
			
		||||
  children: FileNode[]
 | 
			
		||||
  name: string
 | 
			
		||||
  displayName: string
 | 
			
		||||
  file: QuartzPluginData | null
 | 
			
		||||
  depth: number
 | 
			
		||||
 | 
			
		||||
  constructor(name: string, file?: QuartzPluginData, depth?: number) {
 | 
			
		||||
    this.children = []
 | 
			
		||||
    this.name = name
 | 
			
		||||
    this.displayName = name
 | 
			
		||||
    this.file = file ? structuredClone(file) : null
 | 
			
		||||
    this.depth = depth ?? 0
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  private insert(file: DataWrapper) {
 | 
			
		||||
    if (file.path.length === 1) {
 | 
			
		||||
      if (file.path[0] !== "index.md") {
 | 
			
		||||
        this.children.push(new FileNode(file.file.frontmatter!.title, file.file, this.depth + 1))
 | 
			
		||||
      } else {
 | 
			
		||||
        const title = file.file.frontmatter?.title
 | 
			
		||||
        if (title && title !== "index" && file.path[0] === "index.md") {
 | 
			
		||||
          this.displayName = title
 | 
			
		||||
        }
 | 
			
		||||
      }
 | 
			
		||||
    } else {
 | 
			
		||||
      const next = file.path[0]
 | 
			
		||||
      file.path = file.path.splice(1)
 | 
			
		||||
      for (const child of this.children) {
 | 
			
		||||
        if (child.name === next) {
 | 
			
		||||
          child.insert(file)
 | 
			
		||||
          return
 | 
			
		||||
        }
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      const newChild = new FileNode(next, undefined, this.depth + 1)
 | 
			
		||||
      newChild.insert(file)
 | 
			
		||||
      this.children.push(newChild)
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  // Add new file to tree
 | 
			
		||||
  add(file: QuartzPluginData, splice: number = 0) {
 | 
			
		||||
    this.insert({ file, path: file.filePath!.split("/").splice(splice) })
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  // Print tree structure (for debugging)
 | 
			
		||||
  print(depth: number = 0) {
 | 
			
		||||
    let folderChar = ""
 | 
			
		||||
    if (!this.file) folderChar = "|"
 | 
			
		||||
    console.log("-".repeat(depth), folderChar, this.name, this.depth)
 | 
			
		||||
    this.children.forEach((e) => e.print(depth + 1))
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  /**
 | 
			
		||||
   * Filter FileNode tree. Behaves similar to `Array.prototype.filter()`, but modifies tree in place
 | 
			
		||||
   * @param filterFn function to filter tree with
 | 
			
		||||
   */
 | 
			
		||||
  filter(filterFn: (node: FileNode) => boolean) {
 | 
			
		||||
    this.children = this.children.filter(filterFn)
 | 
			
		||||
    this.children.forEach((child) => child.filter(filterFn))
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  /**
 | 
			
		||||
   * Filter FileNode tree. Behaves similar to `Array.prototype.map()`, but modifies tree in place
 | 
			
		||||
   * @param mapFn function to use for mapping over tree
 | 
			
		||||
   */
 | 
			
		||||
  map(mapFn: (node: FileNode) => void) {
 | 
			
		||||
    mapFn(this)
 | 
			
		||||
 | 
			
		||||
    this.children.forEach((child) => child.map(mapFn))
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  /**
 | 
			
		||||
   * Get folder representation with state of tree.
 | 
			
		||||
   * Intended to only be called on root node before changes to the tree are made
 | 
			
		||||
   * @param collapsed default state of folders (collapsed by default or not)
 | 
			
		||||
   * @returns array containing folder state for tree
 | 
			
		||||
   */
 | 
			
		||||
  getFolderPaths(collapsed: boolean): FolderState[] {
 | 
			
		||||
    const folderPaths: FolderState[] = []
 | 
			
		||||
 | 
			
		||||
    const traverse = (node: FileNode, currentPath: string) => {
 | 
			
		||||
      if (!node.file) {
 | 
			
		||||
        const folderPath = currentPath + (currentPath ? "/" : "") + node.name
 | 
			
		||||
        if (folderPath !== "") {
 | 
			
		||||
          folderPaths.push({ path: folderPath, collapsed })
 | 
			
		||||
        }
 | 
			
		||||
        node.children.forEach((child) => traverse(child, folderPath))
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    traverse(this, "")
 | 
			
		||||
 | 
			
		||||
    return folderPaths
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  // Sort order: folders first, then files. Sort folders and files alphabetically
 | 
			
		||||
  /**
 | 
			
		||||
   * Sorts tree according to sort/compare function
 | 
			
		||||
   * @param sortFn compare function used for `.sort()`, also used recursively for children
 | 
			
		||||
   */
 | 
			
		||||
  sort(sortFn: (a: FileNode, b: FileNode) => number) {
 | 
			
		||||
    this.children = this.children.sort(sortFn)
 | 
			
		||||
    this.children.forEach((e) => e.sort(sortFn))
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
type ExplorerNodeProps = {
 | 
			
		||||
  node: FileNode
 | 
			
		||||
  opts: Options
 | 
			
		||||
  fileData: QuartzPluginData
 | 
			
		||||
  fullPath?: string
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export function ExplorerNode({ node, opts, fullPath, fileData }: ExplorerNodeProps) {
 | 
			
		||||
  // Get options
 | 
			
		||||
  const folderBehavior = opts.folderClickBehavior
 | 
			
		||||
  const isDefaultOpen = opts.folderDefaultState === "open"
 | 
			
		||||
 | 
			
		||||
  // Calculate current folderPath
 | 
			
		||||
  let pathOld = fullPath ? fullPath : ""
 | 
			
		||||
  let folderPath = ""
 | 
			
		||||
  if (node.name !== "") {
 | 
			
		||||
    folderPath = `${pathOld}/${node.name}`
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  return (
 | 
			
		||||
    <li>
 | 
			
		||||
      {node.file ? (
 | 
			
		||||
        // Single file node
 | 
			
		||||
        <li key={node.file.slug}>
 | 
			
		||||
          <a href={resolveRelative(fileData.slug!, node.file.slug!)} data-for={node.file.slug}>
 | 
			
		||||
            {node.displayName}
 | 
			
		||||
          </a>
 | 
			
		||||
        </li>
 | 
			
		||||
      ) : (
 | 
			
		||||
        <div>
 | 
			
		||||
          {node.name !== "" && (
 | 
			
		||||
            // Node with entire folder
 | 
			
		||||
            // Render svg button + folder name, then children
 | 
			
		||||
            <div class="folder-container">
 | 
			
		||||
              <svg
 | 
			
		||||
                xmlns="http://www.w3.org/2000/svg"
 | 
			
		||||
                width="12"
 | 
			
		||||
                height="12"
 | 
			
		||||
                viewBox="5 8 14 8"
 | 
			
		||||
                fill="none"
 | 
			
		||||
                stroke="currentColor"
 | 
			
		||||
                stroke-width="2"
 | 
			
		||||
                stroke-linecap="round"
 | 
			
		||||
                stroke-linejoin="round"
 | 
			
		||||
                class="folder-icon"
 | 
			
		||||
              >
 | 
			
		||||
                <polyline points="6 9 12 15 18 9"></polyline>
 | 
			
		||||
              </svg>
 | 
			
		||||
              {/* render <a> tag if folderBehavior is "link", otherwise render <button> with collapse click event */}
 | 
			
		||||
              <div key={node.name} data-folderpath={folderPath}>
 | 
			
		||||
                {folderBehavior === "link" ? (
 | 
			
		||||
                  <a href={`${folderPath}`} data-for={node.name} class="folder-title">
 | 
			
		||||
                    {node.displayName}
 | 
			
		||||
                  </a>
 | 
			
		||||
                ) : (
 | 
			
		||||
                  <button class="folder-button">
 | 
			
		||||
                    <p class="folder-title">{node.displayName}</p>
 | 
			
		||||
                  </button>
 | 
			
		||||
                )}
 | 
			
		||||
              </div>
 | 
			
		||||
            </div>
 | 
			
		||||
          )}
 | 
			
		||||
          {/* Recursively render children of folder */}
 | 
			
		||||
          <div class={`folder-outer ${node.depth === 0 || isDefaultOpen ? "open" : ""}`}>
 | 
			
		||||
            <ul
 | 
			
		||||
              // Inline style for left folder paddings
 | 
			
		||||
              style={{
 | 
			
		||||
                paddingLeft: node.name !== "" ? "1.4rem" : "0",
 | 
			
		||||
              }}
 | 
			
		||||
              class="content"
 | 
			
		||||
              data-folderul={folderPath}
 | 
			
		||||
            >
 | 
			
		||||
              {node.children.map((childNode, i) => (
 | 
			
		||||
                <ExplorerNode
 | 
			
		||||
                  node={childNode}
 | 
			
		||||
                  key={i}
 | 
			
		||||
                  opts={opts}
 | 
			
		||||
                  fullPath={folderPath}
 | 
			
		||||
                  fileData={fileData}
 | 
			
		||||
                />
 | 
			
		||||
              ))}
 | 
			
		||||
            </ul>
 | 
			
		||||
          </div>
 | 
			
		||||
        </div>
 | 
			
		||||
      )}
 | 
			
		||||
    </li>
 | 
			
		||||
  )
 | 
			
		||||
}
 | 
			
		||||
@@ -1,4 +1,4 @@
 | 
			
		||||
import { QuartzComponentConstructor } from "./types"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
import style from "./styles/footer.scss"
 | 
			
		||||
import { version } from "../../package.json"
 | 
			
		||||
 | 
			
		||||
@@ -7,11 +7,11 @@ interface Options {
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export default ((opts?: Options) => {
 | 
			
		||||
  function Footer() {
 | 
			
		||||
  function Footer({ displayClass }: QuartzComponentProps) {
 | 
			
		||||
    const year = new Date().getFullYear()
 | 
			
		||||
    const links = opts?.links ?? []
 | 
			
		||||
    return (
 | 
			
		||||
      <footer>
 | 
			
		||||
      <footer class={`${displayClass ?? ""}`}>
 | 
			
		||||
        <hr />
 | 
			
		||||
        <p>
 | 
			
		||||
          Created with <a href="https://quartz.jzhao.xyz/">Quartz v{version}</a>, © {year}
 | 
			
		||||
 
 | 
			
		||||
@@ -1,4 +1,4 @@
 | 
			
		||||
import { QuartzComponentConstructor } from "./types"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
// @ts-ignore
 | 
			
		||||
import script from "./scripts/graph.inline"
 | 
			
		||||
import style from "./styles/graph.scss"
 | 
			
		||||
@@ -13,6 +13,8 @@ export interface D3Config {
 | 
			
		||||
  linkDistance: number
 | 
			
		||||
  fontSize: number
 | 
			
		||||
  opacityScale: number
 | 
			
		||||
  removeTags: string[]
 | 
			
		||||
  showTags: boolean
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
interface GraphOptions {
 | 
			
		||||
@@ -31,6 +33,8 @@ const defaultOptions: GraphOptions = {
 | 
			
		||||
    linkDistance: 30,
 | 
			
		||||
    fontSize: 0.6,
 | 
			
		||||
    opacityScale: 1,
 | 
			
		||||
    showTags: true,
 | 
			
		||||
    removeTags: [],
 | 
			
		||||
  },
 | 
			
		||||
  globalGraph: {
 | 
			
		||||
    drag: true,
 | 
			
		||||
@@ -42,15 +46,17 @@ const defaultOptions: GraphOptions = {
 | 
			
		||||
    linkDistance: 30,
 | 
			
		||||
    fontSize: 0.6,
 | 
			
		||||
    opacityScale: 1,
 | 
			
		||||
    showTags: true,
 | 
			
		||||
    removeTags: [],
 | 
			
		||||
  },
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export default ((opts?: GraphOptions) => {
 | 
			
		||||
  function Graph() {
 | 
			
		||||
  function Graph({ displayClass }: QuartzComponentProps) {
 | 
			
		||||
    const localGraph = { ...defaultOptions.localGraph, ...opts?.localGraph }
 | 
			
		||||
    const globalGraph = { ...defaultOptions.globalGraph, ...opts?.globalGraph }
 | 
			
		||||
    return (
 | 
			
		||||
      <div class="graph">
 | 
			
		||||
      <div class={`graph ${displayClass ?? ""}`}>
 | 
			
		||||
        <h3>Graph View</h3>
 | 
			
		||||
        <div class="graph-outer">
 | 
			
		||||
          <div id="graph-container" data-cfg={JSON.stringify(localGraph)}></div>
 | 
			
		||||
 
 | 
			
		||||
@@ -1,4 +1,4 @@
 | 
			
		||||
import { joinSegments, pathToRoot } from "../util/path"
 | 
			
		||||
import { FullSlug, _stripSlashes, joinSegments, pathToRoot } from "../util/path"
 | 
			
		||||
import { JSResourceToScriptElement } from "../util/resources"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
 | 
			
		||||
@@ -7,7 +7,11 @@ export default (() => {
 | 
			
		||||
    const title = fileData.frontmatter?.title ?? "Untitled"
 | 
			
		||||
    const description = fileData.description?.trim() ?? "No description provided"
 | 
			
		||||
    const { css, js } = externalResources
 | 
			
		||||
    const baseDir = pathToRoot(fileData.slug!)
 | 
			
		||||
 | 
			
		||||
    const url = new URL(`https://${cfg.baseUrl ?? "example.com"}`)
 | 
			
		||||
    const path = url.pathname as FullSlug
 | 
			
		||||
    const baseDir = fileData.slug === "404" ? path : pathToRoot(fileData.slug!)
 | 
			
		||||
 | 
			
		||||
    const iconPath = joinSegments(baseDir, "static/icon.png")
 | 
			
		||||
    const ogImagePath = `https://${cfg.baseUrl}/static/og-image.png`
 | 
			
		||||
 | 
			
		||||
 
 | 
			
		||||
@@ -1,11 +1,11 @@
 | 
			
		||||
import { pathToRoot } from "../util/path"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
 | 
			
		||||
function PageTitle({ fileData, cfg }: QuartzComponentProps) {
 | 
			
		||||
function PageTitle({ fileData, cfg, displayClass }: QuartzComponentProps) {
 | 
			
		||||
  const title = cfg?.pageTitle ?? "Untitled Quartz"
 | 
			
		||||
  const baseDir = pathToRoot(fileData.slug!)
 | 
			
		||||
  return (
 | 
			
		||||
    <h1 class="page-title">
 | 
			
		||||
    <h1 class={`page-title ${displayClass ?? ""}`}>
 | 
			
		||||
      <a href={baseDir}>{title}</a>
 | 
			
		||||
    </h1>
 | 
			
		||||
  )
 | 
			
		||||
 
 | 
			
		||||
@@ -23,13 +23,12 @@ const defaultOptions = (cfg: GlobalConfiguration): Options => ({
 | 
			
		||||
})
 | 
			
		||||
 | 
			
		||||
export default ((userOpts?: Partial<Options>) => {
 | 
			
		||||
  function RecentNotes(props: QuartzComponentProps) {
 | 
			
		||||
    const { allFiles, fileData, displayClass, cfg } = props
 | 
			
		||||
  function RecentNotes({ allFiles, fileData, displayClass, cfg }: QuartzComponentProps) {
 | 
			
		||||
    const opts = { ...defaultOptions(cfg), ...userOpts }
 | 
			
		||||
    const pages = allFiles.filter(opts.filter).sort(opts.sort)
 | 
			
		||||
    const remaining = Math.max(0, pages.length - opts.limit)
 | 
			
		||||
    return (
 | 
			
		||||
      <div class={`recent-notes ${displayClass}`}>
 | 
			
		||||
      <div class={`recent-notes ${displayClass ?? ""}`}>
 | 
			
		||||
        <h3>{opts.title}</h3>
 | 
			
		||||
        <ul class="recent-ul">
 | 
			
		||||
          {pages.slice(0, opts.limit).map((page) => {
 | 
			
		||||
 
 | 
			
		||||
@@ -1,12 +1,12 @@
 | 
			
		||||
import { QuartzComponentConstructor } from "./types"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
import style from "./styles/search.scss"
 | 
			
		||||
// @ts-ignore
 | 
			
		||||
import script from "./scripts/search.inline"
 | 
			
		||||
 | 
			
		||||
export default (() => {
 | 
			
		||||
  function Search() {
 | 
			
		||||
  function Search({ displayClass }: QuartzComponentProps) {
 | 
			
		||||
    return (
 | 
			
		||||
      <div class="search">
 | 
			
		||||
      <div class={`search ${displayClass ?? ""}`}>
 | 
			
		||||
        <div id="search-icon">
 | 
			
		||||
          <p>Search</p>
 | 
			
		||||
          <div></div>
 | 
			
		||||
 
 | 
			
		||||
@@ -1,8 +1,7 @@
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
 | 
			
		||||
function Spacer({ displayClass }: QuartzComponentProps) {
 | 
			
		||||
  const className = displayClass ? `spacer ${displayClass}` : "spacer"
 | 
			
		||||
  return <div class={className}></div>
 | 
			
		||||
  return <div class={`spacer ${displayClass ?? ""}`}></div>
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export default (() => Spacer) satisfies QuartzComponentConstructor
 | 
			
		||||
 
 | 
			
		||||
@@ -19,8 +19,8 @@ function TableOfContents({ fileData, displayClass }: QuartzComponentProps) {
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  return (
 | 
			
		||||
    <div class={`toc ${displayClass}`}>
 | 
			
		||||
      <button type="button" id="toc">
 | 
			
		||||
    <div class={`toc ${displayClass ?? ""}`}>
 | 
			
		||||
      <button type="button" id="toc" class={fileData.collapseToc ? "collapsed" : ""}>
 | 
			
		||||
        <h3>Table of Contents</h3>
 | 
			
		||||
        <svg
 | 
			
		||||
          xmlns="http://www.w3.org/2000/svg"
 | 
			
		||||
@@ -60,7 +60,7 @@ function LegacyTableOfContents({ fileData }: QuartzComponentProps) {
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  return (
 | 
			
		||||
    <details id="toc" open>
 | 
			
		||||
    <details id="toc" open={!fileData.collapseToc}>
 | 
			
		||||
      <summary>
 | 
			
		||||
        <h3>Table of Contents</h3>
 | 
			
		||||
      </summary>
 | 
			
		||||
 
 | 
			
		||||
@@ -1,12 +1,12 @@
 | 
			
		||||
import { pathToRoot, slugTag } from "../util/path"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "./types"
 | 
			
		||||
 | 
			
		||||
function TagList({ fileData }: QuartzComponentProps) {
 | 
			
		||||
function TagList({ fileData, displayClass }: QuartzComponentProps) {
 | 
			
		||||
  const tags = fileData.frontmatter?.tags
 | 
			
		||||
  const baseDir = pathToRoot(fileData.slug!)
 | 
			
		||||
  if (tags && tags.length > 0) {
 | 
			
		||||
    return (
 | 
			
		||||
      <ul class="tags">
 | 
			
		||||
      <ul class={`tags ${displayClass ?? ""}`}>
 | 
			
		||||
        {tags.map((tag) => {
 | 
			
		||||
          const display = `#${tag}`
 | 
			
		||||
          const linkDest = baseDir + `/tags/${slugTag(tag)}`
 | 
			
		||||
@@ -32,6 +32,12 @@ TagList.css = `
 | 
			
		||||
  padding-left: 0;
 | 
			
		||||
  gap: 0.4rem;
 | 
			
		||||
  margin: 1rem 0;
 | 
			
		||||
  flex-wrap: wrap;
 | 
			
		||||
  justify-self: end;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.section-li > .section > .tags {
 | 
			
		||||
  justify-content: flex-end;
 | 
			
		||||
}
 | 
			
		||||
  
 | 
			
		||||
.tags > li {
 | 
			
		||||
@@ -41,7 +47,7 @@ TagList.css = `
 | 
			
		||||
  overflow-wrap: normal;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
a.tag-link {
 | 
			
		||||
a.internal.tag-link {
 | 
			
		||||
  border-radius: 8px;
 | 
			
		||||
  background-color: var(--highlight);
 | 
			
		||||
  padding: 0.2rem 0.4rem;
 | 
			
		||||
 
 | 
			
		||||
@@ -1,13 +1,15 @@
 | 
			
		||||
import ArticleTitle from "./ArticleTitle"
 | 
			
		||||
import Content from "./pages/Content"
 | 
			
		||||
import TagContent from "./pages/TagContent"
 | 
			
		||||
import FolderContent from "./pages/FolderContent"
 | 
			
		||||
import NotFound from "./pages/404"
 | 
			
		||||
import ArticleTitle from "./ArticleTitle"
 | 
			
		||||
import Darkmode from "./Darkmode"
 | 
			
		||||
import Head from "./Head"
 | 
			
		||||
import PageTitle from "./PageTitle"
 | 
			
		||||
import ContentMeta from "./ContentMeta"
 | 
			
		||||
import Spacer from "./Spacer"
 | 
			
		||||
import TableOfContents from "./TableOfContents"
 | 
			
		||||
import Explorer from "./Explorer"
 | 
			
		||||
import TagList from "./TagList"
 | 
			
		||||
import Graph from "./Graph"
 | 
			
		||||
import Backlinks from "./Backlinks"
 | 
			
		||||
@@ -16,6 +18,7 @@ import Footer from "./Footer"
 | 
			
		||||
import DesktopOnly from "./DesktopOnly"
 | 
			
		||||
import MobileOnly from "./MobileOnly"
 | 
			
		||||
import RecentNotes from "./RecentNotes"
 | 
			
		||||
import Breadcrumbs from "./Breadcrumbs"
 | 
			
		||||
 | 
			
		||||
export {
 | 
			
		||||
  ArticleTitle,
 | 
			
		||||
@@ -28,6 +31,7 @@ export {
 | 
			
		||||
  ContentMeta,
 | 
			
		||||
  Spacer,
 | 
			
		||||
  TableOfContents,
 | 
			
		||||
  Explorer,
 | 
			
		||||
  TagList,
 | 
			
		||||
  Graph,
 | 
			
		||||
  Backlinks,
 | 
			
		||||
@@ -36,4 +40,6 @@ export {
 | 
			
		||||
  DesktopOnly,
 | 
			
		||||
  MobileOnly,
 | 
			
		||||
  RecentNotes,
 | 
			
		||||
  NotFound,
 | 
			
		||||
  Breadcrumbs,
 | 
			
		||||
}
 | 
			
		||||
 
 | 
			
		||||
							
								
								
									
										12
									
								
								quartz/components/pages/404.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										12
									
								
								quartz/components/pages/404.tsx
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,12 @@
 | 
			
		||||
import { QuartzComponentConstructor } from "../types"
 | 
			
		||||
 | 
			
		||||
function NotFound() {
 | 
			
		||||
  return (
 | 
			
		||||
    <article class="popover-hint">
 | 
			
		||||
      <h1>404</h1>
 | 
			
		||||
      <p>Either this page is private or doesn't exist.</p>
 | 
			
		||||
    </article>
 | 
			
		||||
  )
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export default (() => NotFound) satisfies QuartzComponentConstructor
 | 
			
		||||
@@ -1,10 +1,8 @@
 | 
			
		||||
import { htmlToJsx } from "../../util/jsx"
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "../types"
 | 
			
		||||
import { Fragment, jsx, jsxs } from "preact/jsx-runtime"
 | 
			
		||||
import { toJsxRuntime } from "hast-util-to-jsx-runtime"
 | 
			
		||||
 | 
			
		||||
function Content({ tree }: QuartzComponentProps) {
 | 
			
		||||
  // @ts-ignore (preact makes it angry)
 | 
			
		||||
  const content = toJsxRuntime(tree, { Fragment, jsx, jsxs, elementAttributeNameCase: "html" })
 | 
			
		||||
function Content({ fileData, tree }: QuartzComponentProps) {
 | 
			
		||||
  const content = htmlToJsx(fileData.filePath!, tree)
 | 
			
		||||
  return <article class="popover-hint">{content}</article>
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
 
 | 
			
		||||
@@ -1,12 +1,12 @@
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "../types"
 | 
			
		||||
import { Fragment, jsx, jsxs } from "preact/jsx-runtime"
 | 
			
		||||
import { toJsxRuntime } from "hast-util-to-jsx-runtime"
 | 
			
		||||
import path from "path"
 | 
			
		||||
 | 
			
		||||
import style from "../styles/listPage.scss"
 | 
			
		||||
import { PageList } from "../PageList"
 | 
			
		||||
import { _stripSlashes, simplifySlug } from "../../util/path"
 | 
			
		||||
import { Root } from "hast"
 | 
			
		||||
import { pluralize } from "../../util/lang"
 | 
			
		||||
import { htmlToJsx } from "../../util/jsx"
 | 
			
		||||
 | 
			
		||||
function FolderContent(props: QuartzComponentProps) {
 | 
			
		||||
  const { tree, fileData, allFiles } = props
 | 
			
		||||
@@ -28,15 +28,14 @@ function FolderContent(props: QuartzComponentProps) {
 | 
			
		||||
  const content =
 | 
			
		||||
    (tree as Root).children.length === 0
 | 
			
		||||
      ? fileData.description
 | 
			
		||||
      : // @ts-ignore
 | 
			
		||||
        toJsxRuntime(tree, { Fragment, jsx, jsxs, elementAttributeNameCase: "html" })
 | 
			
		||||
      : htmlToJsx(fileData.filePath!, tree)
 | 
			
		||||
 | 
			
		||||
  return (
 | 
			
		||||
    <div class="popover-hint">
 | 
			
		||||
      <article>
 | 
			
		||||
        <p>{content}</p>
 | 
			
		||||
      </article>
 | 
			
		||||
      <p>{allPagesInFolder.length} items under this folder.</p>
 | 
			
		||||
      <p>{pluralize(allPagesInFolder.length, "item")} under this folder.</p>
 | 
			
		||||
      <div>
 | 
			
		||||
        <PageList {...listProps} />
 | 
			
		||||
      </div>
 | 
			
		||||
 
 | 
			
		||||
@@ -1,11 +1,11 @@
 | 
			
		||||
import { QuartzComponentConstructor, QuartzComponentProps } from "../types"
 | 
			
		||||
import { Fragment, jsx, jsxs } from "preact/jsx-runtime"
 | 
			
		||||
import { toJsxRuntime } from "hast-util-to-jsx-runtime"
 | 
			
		||||
import style from "../styles/listPage.scss"
 | 
			
		||||
import { PageList } from "../PageList"
 | 
			
		||||
import { FullSlug, getAllSegmentPrefixes, simplifySlug } from "../../util/path"
 | 
			
		||||
import { QuartzPluginData } from "../../plugins/vfile"
 | 
			
		||||
import { Root } from "hast"
 | 
			
		||||
import { pluralize } from "../../util/lang"
 | 
			
		||||
import { htmlToJsx } from "../../util/jsx"
 | 
			
		||||
 | 
			
		||||
const numPages = 10
 | 
			
		||||
function TagContent(props: QuartzComponentProps) {
 | 
			
		||||
@@ -25,8 +25,7 @@ function TagContent(props: QuartzComponentProps) {
 | 
			
		||||
  const content =
 | 
			
		||||
    (tree as Root).children.length === 0
 | 
			
		||||
      ? fileData.description
 | 
			
		||||
      : // @ts-ignore
 | 
			
		||||
        toJsxRuntime(tree, { Fragment, jsx, jsxs, elementAttributeNameCase: "html" })
 | 
			
		||||
      : htmlToJsx(fileData.filePath!, tree)
 | 
			
		||||
 | 
			
		||||
  if (tag === "") {
 | 
			
		||||
    const tags = [...new Set(allFiles.flatMap((data) => data.frontmatter?.tags ?? []))]
 | 
			
		||||
@@ -54,13 +53,13 @@ function TagContent(props: QuartzComponentProps) {
 | 
			
		||||
            return (
 | 
			
		||||
              <div>
 | 
			
		||||
                <h2>
 | 
			
		||||
                  <a class="internal tag-link" href={`./${tag}`}>
 | 
			
		||||
                  <a class="internal tag-link" href={`../tags/${tag}`}>
 | 
			
		||||
                    #{tag}
 | 
			
		||||
                  </a>
 | 
			
		||||
                </h2>
 | 
			
		||||
                {content && <p>{content}</p>}
 | 
			
		||||
                <p>
 | 
			
		||||
                  {pages.length} items with this tag.{" "}
 | 
			
		||||
                  {pluralize(pages.length, "item")} with this tag.{" "}
 | 
			
		||||
                  {pages.length > numPages && `Showing first ${numPages}.`}
 | 
			
		||||
                </p>
 | 
			
		||||
                <PageList limit={numPages} {...listProps} />
 | 
			
		||||
@@ -80,7 +79,7 @@ function TagContent(props: QuartzComponentProps) {
 | 
			
		||||
    return (
 | 
			
		||||
      <div class="popover-hint">
 | 
			
		||||
        <article>{content}</article>
 | 
			
		||||
        <p>{pages.length} items with this tag.</p>
 | 
			
		||||
        <p>{pluralize(pages.length, "item")} with this tag.</p>
 | 
			
		||||
        <div>
 | 
			
		||||
          <PageList {...listProps} />
 | 
			
		||||
        </div>
 | 
			
		||||
 
 | 
			
		||||
@@ -3,7 +3,9 @@ import { QuartzComponent, QuartzComponentProps } from "./types"
 | 
			
		||||
import HeaderConstructor from "./Header"
 | 
			
		||||
import BodyConstructor from "./Body"
 | 
			
		||||
import { JSResourceToScriptElement, StaticResources } from "../util/resources"
 | 
			
		||||
import { FullSlug, joinSegments, pathToRoot } from "../util/path"
 | 
			
		||||
import { FullSlug, RelativeURL, joinSegments } from "../util/path"
 | 
			
		||||
import { visit } from "unist-util-visit"
 | 
			
		||||
import { Root, Element, ElementContent } from "hast"
 | 
			
		||||
 | 
			
		||||
interface RenderComponents {
 | 
			
		||||
  head: QuartzComponent
 | 
			
		||||
@@ -15,9 +17,10 @@ interface RenderComponents {
 | 
			
		||||
  footer: QuartzComponent
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
export function pageResources(slug: FullSlug, staticResources: StaticResources): StaticResources {
 | 
			
		||||
  const baseDir = pathToRoot(slug)
 | 
			
		||||
 | 
			
		||||
export function pageResources(
 | 
			
		||||
  baseDir: FullSlug | RelativeURL,
 | 
			
		||||
  staticResources: StaticResources,
 | 
			
		||||
): StaticResources {
 | 
			
		||||
  const contentIndexPath = joinSegments(baseDir, "static/contentIndex.json")
 | 
			
		||||
  const contentIndexScript = `const fetchData = fetch(\`${contentIndexPath}\`).then(data => data.json())`
 | 
			
		||||
 | 
			
		||||
@@ -52,6 +55,99 @@ export function renderPage(
 | 
			
		||||
  components: RenderComponents,
 | 
			
		||||
  pageResources: StaticResources,
 | 
			
		||||
): string {
 | 
			
		||||
  // process transcludes in componentData
 | 
			
		||||
  visit(componentData.tree as Root, "element", (node, _index, _parent) => {
 | 
			
		||||
    if (node.tagName === "blockquote") {
 | 
			
		||||
      const classNames = (node.properties?.className ?? []) as string[]
 | 
			
		||||
      if (classNames.includes("transclude")) {
 | 
			
		||||
        const inner = node.children[0] as Element
 | 
			
		||||
        const transcludeTarget = inner.properties?.["data-slug"] as FullSlug
 | 
			
		||||
 | 
			
		||||
        // TODO: avoid this expensive find operation and construct an index ahead of time
 | 
			
		||||
        const page = componentData.allFiles.find((f) => f.slug === transcludeTarget)
 | 
			
		||||
        if (!page) {
 | 
			
		||||
          return
 | 
			
		||||
        }
 | 
			
		||||
 | 
			
		||||
        let blockRef = node.properties?.dataBlock as string | undefined
 | 
			
		||||
        if (blockRef?.startsWith("^")) {
 | 
			
		||||
          // block transclude
 | 
			
		||||
          blockRef = blockRef.slice(1)
 | 
			
		||||
          let blockNode = page.blocks?.[blockRef]
 | 
			
		||||
          if (blockNode) {
 | 
			
		||||
            if (blockNode.tagName === "li") {
 | 
			
		||||
              blockNode = {
 | 
			
		||||
                type: "element",
 | 
			
		||||
                tagName: "ul",
 | 
			
		||||
                children: [blockNode],
 | 
			
		||||
              }
 | 
			
		||||
            }
 | 
			
		||||
 | 
			
		||||
            node.children = [
 | 
			
		||||
              blockNode,
 | 
			
		||||
              {
 | 
			
		||||
                type: "element",
 | 
			
		||||
                tagName: "a",
 | 
			
		||||
                properties: { href: inner.properties?.href, class: ["internal"] },
 | 
			
		||||
                children: [{ type: "text", value: `Link to original` }],
 | 
			
		||||
              },
 | 
			
		||||
            ]
 | 
			
		||||
          }
 | 
			
		||||
        } else if (blockRef?.startsWith("#") && page.htmlAst) {
 | 
			
		||||
          // header transclude
 | 
			
		||||
          blockRef = blockRef.slice(1)
 | 
			
		||||
          let startIdx = undefined
 | 
			
		||||
          let endIdx = undefined
 | 
			
		||||
          for (const [i, el] of page.htmlAst.children.entries()) {
 | 
			
		||||
            if (el.type === "element" && el.tagName.match(/h[1-6]/)) {
 | 
			
		||||
              if (endIdx) {
 | 
			
		||||
                break
 | 
			
		||||
              }
 | 
			
		||||
 | 
			
		||||
              if (startIdx) {
 | 
			
		||||
                endIdx = i
 | 
			
		||||
              } else if (el.properties?.id === blockRef) {
 | 
			
		||||
                startIdx = i
 | 
			
		||||
              }
 | 
			
		||||
            }
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          if (!startIdx) {
 | 
			
		||||
            return
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          node.children = [
 | 
			
		||||
            ...(page.htmlAst.children.slice(startIdx, endIdx) as ElementContent[]),
 | 
			
		||||
            {
 | 
			
		||||
              type: "element",
 | 
			
		||||
              tagName: "a",
 | 
			
		||||
              properties: { href: inner.properties?.href, class: ["internal"] },
 | 
			
		||||
              children: [{ type: "text", value: `Link to original` }],
 | 
			
		||||
            },
 | 
			
		||||
          ]
 | 
			
		||||
        } else if (page.htmlAst) {
 | 
			
		||||
          // page transclude
 | 
			
		||||
          node.children = [
 | 
			
		||||
            {
 | 
			
		||||
              type: "element",
 | 
			
		||||
              tagName: "h1",
 | 
			
		||||
              children: [
 | 
			
		||||
                { type: "text", value: page.frontmatter?.title ?? `Transclude of ${page.slug}` },
 | 
			
		||||
              ],
 | 
			
		||||
            },
 | 
			
		||||
            ...(page.htmlAst.children as ElementContent[]),
 | 
			
		||||
            {
 | 
			
		||||
              type: "element",
 | 
			
		||||
              tagName: "a",
 | 
			
		||||
              properties: { href: inner.properties?.href, class: ["internal"] },
 | 
			
		||||
              children: [{ type: "text", value: `Link to original` }],
 | 
			
		||||
            },
 | 
			
		||||
          ]
 | 
			
		||||
        }
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
  })
 | 
			
		||||
 | 
			
		||||
  const {
 | 
			
		||||
    head: Head,
 | 
			
		||||
    header,
 | 
			
		||||
 
 | 
			
		||||
@@ -20,4 +20,13 @@ document.addEventListener("nav", () => {
 | 
			
		||||
  if (currentTheme === "dark") {
 | 
			
		||||
    toggleSwitch.checked = true
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  // Listen for changes in prefers-color-scheme
 | 
			
		||||
  const colorSchemeMediaQuery = window.matchMedia("(prefers-color-scheme: dark)")
 | 
			
		||||
  colorSchemeMediaQuery.addEventListener("change", (e) => {
 | 
			
		||||
    const newTheme = e.matches ? "dark" : "light"
 | 
			
		||||
    document.documentElement.setAttribute("saved-theme", newTheme)
 | 
			
		||||
    localStorage.setItem("theme", newTheme)
 | 
			
		||||
    toggleSwitch.checked = e.matches
 | 
			
		||||
  })
 | 
			
		||||
})
 | 
			
		||||
 
 | 
			
		||||
							
								
								
									
										164
									
								
								quartz/components/scripts/explorer.inline.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										164
									
								
								quartz/components/scripts/explorer.inline.ts
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,164 @@
 | 
			
		||||
import { FolderState } from "../ExplorerNode"
 | 
			
		||||
 | 
			
		||||
// Current state of folders
 | 
			
		||||
let explorerState: FolderState[]
 | 
			
		||||
 | 
			
		||||
const observer = new IntersectionObserver((entries) => {
 | 
			
		||||
  // If last element is observed, remove gradient of "overflow" class so element is visible
 | 
			
		||||
  const explorer = document.getElementById("explorer-ul")
 | 
			
		||||
  for (const entry of entries) {
 | 
			
		||||
    if (entry.isIntersecting) {
 | 
			
		||||
      explorer?.classList.add("no-background")
 | 
			
		||||
    } else {
 | 
			
		||||
      explorer?.classList.remove("no-background")
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
})
 | 
			
		||||
 | 
			
		||||
function toggleExplorer(this: HTMLElement) {
 | 
			
		||||
  // Toggle collapsed state of entire explorer
 | 
			
		||||
  this.classList.toggle("collapsed")
 | 
			
		||||
  const content = this.nextElementSibling as HTMLElement
 | 
			
		||||
  content.classList.toggle("collapsed")
 | 
			
		||||
  content.style.maxHeight = content.style.maxHeight === "0px" ? content.scrollHeight + "px" : "0px"
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
function toggleFolder(evt: MouseEvent) {
 | 
			
		||||
  evt.stopPropagation()
 | 
			
		||||
 | 
			
		||||
  // Element that was clicked
 | 
			
		||||
  const target = evt.target as HTMLElement
 | 
			
		||||
 | 
			
		||||
  // Check if target was svg icon or button
 | 
			
		||||
  const isSvg = target.nodeName === "svg"
 | 
			
		||||
 | 
			
		||||
  // corresponding <ul> element relative to clicked button/folder
 | 
			
		||||
  let childFolderContainer: HTMLElement
 | 
			
		||||
 | 
			
		||||
  // <li> element of folder (stores folder-path dataset)
 | 
			
		||||
  let currentFolderParent: HTMLElement
 | 
			
		||||
 | 
			
		||||
  // Get correct relative container and toggle collapsed class
 | 
			
		||||
  if (isSvg) {
 | 
			
		||||
    childFolderContainer = target.parentElement?.nextSibling as HTMLElement
 | 
			
		||||
    currentFolderParent = target.nextElementSibling as HTMLElement
 | 
			
		||||
 | 
			
		||||
    childFolderContainer.classList.toggle("open")
 | 
			
		||||
  } else {
 | 
			
		||||
    childFolderContainer = target.parentElement?.parentElement?.nextElementSibling as HTMLElement
 | 
			
		||||
    currentFolderParent = target.parentElement as HTMLElement
 | 
			
		||||
 | 
			
		||||
    childFolderContainer.classList.toggle("open")
 | 
			
		||||
  }
 | 
			
		||||
  if (!childFolderContainer) return
 | 
			
		||||
 | 
			
		||||
  // Collapse folder container
 | 
			
		||||
  const isCollapsed = childFolderContainer.classList.contains("open")
 | 
			
		||||
  setFolderState(childFolderContainer, !isCollapsed)
 | 
			
		||||
 | 
			
		||||
  // Save folder state to localStorage
 | 
			
		||||
  const clickFolderPath = currentFolderParent.dataset.folderpath as string
 | 
			
		||||
 | 
			
		||||
  // Remove leading "/"
 | 
			
		||||
  const fullFolderPath = clickFolderPath.substring(1)
 | 
			
		||||
  toggleCollapsedByPath(explorerState, fullFolderPath)
 | 
			
		||||
 | 
			
		||||
  const stringifiedFileTree = JSON.stringify(explorerState)
 | 
			
		||||
  localStorage.setItem("fileTree", stringifiedFileTree)
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
function setupExplorer() {
 | 
			
		||||
  // Set click handler for collapsing entire explorer
 | 
			
		||||
  const explorer = document.getElementById("explorer")
 | 
			
		||||
 | 
			
		||||
  // Get folder state from local storage
 | 
			
		||||
  const storageTree = localStorage.getItem("fileTree")
 | 
			
		||||
 | 
			
		||||
  // Convert to bool
 | 
			
		||||
  const useSavedFolderState = explorer?.dataset.savestate === "true"
 | 
			
		||||
 | 
			
		||||
  if (explorer) {
 | 
			
		||||
    // Get config
 | 
			
		||||
    const collapseBehavior = explorer.dataset.behavior
 | 
			
		||||
 | 
			
		||||
    // Add click handlers for all folders (click handler on folder "label")
 | 
			
		||||
    if (collapseBehavior === "collapse") {
 | 
			
		||||
      Array.prototype.forEach.call(
 | 
			
		||||
        document.getElementsByClassName("folder-button"),
 | 
			
		||||
        function (item) {
 | 
			
		||||
          item.removeEventListener("click", toggleFolder)
 | 
			
		||||
          item.addEventListener("click", toggleFolder)
 | 
			
		||||
        },
 | 
			
		||||
      )
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    // Add click handler to main explorer
 | 
			
		||||
    explorer.removeEventListener("click", toggleExplorer)
 | 
			
		||||
    explorer.addEventListener("click", toggleExplorer)
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  // Set up click handlers for each folder (click handler on folder "icon")
 | 
			
		||||
  Array.prototype.forEach.call(document.getElementsByClassName("folder-icon"), function (item) {
 | 
			
		||||
    item.removeEventListener("click", toggleFolder)
 | 
			
		||||
    item.addEventListener("click", toggleFolder)
 | 
			
		||||
  })
 | 
			
		||||
 | 
			
		||||
  if (storageTree && useSavedFolderState) {
 | 
			
		||||
    // Get state from localStorage and set folder state
 | 
			
		||||
    explorerState = JSON.parse(storageTree)
 | 
			
		||||
    explorerState.map((folderUl) => {
 | 
			
		||||
      // grab <li> element for matching folder path
 | 
			
		||||
      const folderLi = document.querySelector(
 | 
			
		||||
        `[data-folderpath='/${folderUl.path}']`,
 | 
			
		||||
      ) as HTMLElement
 | 
			
		||||
 | 
			
		||||
      // Get corresponding content <ul> tag and set state
 | 
			
		||||
      if (folderLi) {
 | 
			
		||||
        const folderUL = folderLi.parentElement?.nextElementSibling
 | 
			
		||||
        if (folderUL) {
 | 
			
		||||
          setFolderState(folderUL as HTMLElement, folderUl.collapsed)
 | 
			
		||||
        }
 | 
			
		||||
      }
 | 
			
		||||
    })
 | 
			
		||||
  } else {
 | 
			
		||||
    // If tree is not in localStorage or config is disabled, use tree passed from Explorer as dataset
 | 
			
		||||
    explorerState = JSON.parse(explorer?.dataset.tree as string)
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
window.addEventListener("resize", setupExplorer)
 | 
			
		||||
document.addEventListener("nav", () => {
 | 
			
		||||
  setupExplorer()
 | 
			
		||||
 | 
			
		||||
  const explorerContent = document.getElementById("explorer-ul")
 | 
			
		||||
  // select pseudo element at end of list
 | 
			
		||||
  const lastItem = document.getElementById("explorer-end")
 | 
			
		||||
 | 
			
		||||
  observer.disconnect()
 | 
			
		||||
  observer.observe(lastItem as Element)
 | 
			
		||||
})
 | 
			
		||||
 | 
			
		||||
/**
 | 
			
		||||
 * Toggles the state of a given folder
 | 
			
		||||
 * @param folderElement <div class="folder-outer"> Element of folder (parent)
 | 
			
		||||
 * @param collapsed if folder should be set to collapsed or not
 | 
			
		||||
 */
 | 
			
		||||
function setFolderState(folderElement: HTMLElement, collapsed: boolean) {
 | 
			
		||||
  if (collapsed) {
 | 
			
		||||
    folderElement?.classList.remove("open")
 | 
			
		||||
  } else {
 | 
			
		||||
    folderElement?.classList.add("open")
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
/**
 | 
			
		||||
 * Toggles visibility of a folder
 | 
			
		||||
 * @param array array of FolderState (`fileTree`, either get from local storage or data attribute)
 | 
			
		||||
 * @param path path to folder (e.g. 'advanced/more/more2')
 | 
			
		||||
 */
 | 
			
		||||
function toggleCollapsedByPath(array: FolderState[], path: string) {
 | 
			
		||||
  const entry = array.find((item) => item.path === path)
 | 
			
		||||
  if (entry) {
 | 
			
		||||
    entry.collapsed = !entry.collapsed
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
@@ -42,19 +42,38 @@ async function renderGraph(container: string, fullSlug: FullSlug) {
 | 
			
		||||
    linkDistance,
 | 
			
		||||
    fontSize,
 | 
			
		||||
    opacityScale,
 | 
			
		||||
    removeTags,
 | 
			
		||||
    showTags,
 | 
			
		||||
  } = JSON.parse(graph.dataset["cfg"]!)
 | 
			
		||||
 | 
			
		||||
  const data = await fetchData
 | 
			
		||||
 | 
			
		||||
  const links: LinkData[] = []
 | 
			
		||||
  const tags: SimpleSlug[] = []
 | 
			
		||||
 | 
			
		||||
  const validLinks = new Set(Object.keys(data).map((slug) => simplifySlug(slug as FullSlug)))
 | 
			
		||||
 | 
			
		||||
  for (const [src, details] of Object.entries<ContentDetails>(data)) {
 | 
			
		||||
    const source = simplifySlug(src as FullSlug)
 | 
			
		||||
    const outgoing = details.links ?? []
 | 
			
		||||
 | 
			
		||||
    for (const dest of outgoing) {
 | 
			
		||||
      if (dest in data) {
 | 
			
		||||
      if (validLinks.has(dest)) {
 | 
			
		||||
        links.push({ source, target: dest })
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    if (showTags) {
 | 
			
		||||
      const localTags = details.tags
 | 
			
		||||
        .filter((tag) => !removeTags.includes(tag))
 | 
			
		||||
        .map((tag) => simplifySlug(("tags/" + tag) as FullSlug))
 | 
			
		||||
 | 
			
		||||
      tags.push(...localTags.filter((tag) => !tags.includes(tag)))
 | 
			
		||||
 | 
			
		||||
      for (const tag of localTags) {
 | 
			
		||||
        links.push({ source, target: tag })
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  const neighbourhood = new Set<SimpleSlug>()
 | 
			
		||||
@@ -75,14 +94,18 @@ async function renderGraph(container: string, fullSlug: FullSlug) {
 | 
			
		||||
    }
 | 
			
		||||
  } else {
 | 
			
		||||
    Object.keys(data).forEach((id) => neighbourhood.add(simplifySlug(id as FullSlug)))
 | 
			
		||||
    if (showTags) tags.forEach((tag) => neighbourhood.add(tag))
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  const graphData: { nodes: NodeData[]; links: LinkData[] } = {
 | 
			
		||||
    nodes: [...neighbourhood].map((url) => ({
 | 
			
		||||
      id: url,
 | 
			
		||||
      text: data[url]?.title ?? url,
 | 
			
		||||
      tags: data[url]?.tags ?? [],
 | 
			
		||||
    })),
 | 
			
		||||
    nodes: [...neighbourhood].map((url) => {
 | 
			
		||||
      const text = url.startsWith("tags/") ? "#" + url.substring(5) : data[url]?.title ?? url
 | 
			
		||||
      return {
 | 
			
		||||
        id: url,
 | 
			
		||||
        text: text,
 | 
			
		||||
        tags: data[url]?.tags ?? [],
 | 
			
		||||
      }
 | 
			
		||||
    }),
 | 
			
		||||
    links: links.filter((l) => neighbourhood.has(l.source) && neighbourhood.has(l.target)),
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
@@ -126,7 +149,7 @@ async function renderGraph(container: string, fullSlug: FullSlug) {
 | 
			
		||||
    const isCurrent = d.id === slug
 | 
			
		||||
    if (isCurrent) {
 | 
			
		||||
      return "var(--secondary)"
 | 
			
		||||
    } else if (visited.has(d.id)) {
 | 
			
		||||
    } else if (visited.has(d.id) || d.id.startsWith("tags/")) {
 | 
			
		||||
      return "var(--tertiary)"
 | 
			
		||||
    } else {
 | 
			
		||||
      return "var(--gray)"
 | 
			
		||||
@@ -230,9 +253,7 @@ async function renderGraph(container: string, fullSlug: FullSlug) {
 | 
			
		||||
    .attr("dx", 0)
 | 
			
		||||
    .attr("dy", (d) => -nodeRadius(d) + "px")
 | 
			
		||||
    .attr("text-anchor", "middle")
 | 
			
		||||
    .text(
 | 
			
		||||
      (d) => data[d.id]?.title || (d.id.charAt(1).toUpperCase() + d.id.slice(2)).replace("-", " "),
 | 
			
		||||
    )
 | 
			
		||||
    .text((d) => d.text)
 | 
			
		||||
    .style("opacity", (opacityScale - 1) / 3.75)
 | 
			
		||||
    .style("pointer-events", "none")
 | 
			
		||||
    .style("font-size", fontSize + "em")
 | 
			
		||||
 
 | 
			
		||||
@@ -28,8 +28,11 @@ async function mouseEnterHandler(
 | 
			
		||||
    })
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  const hasAlreadyBeenFetched = () =>
 | 
			
		||||
    [...link.children].some((child) => child.classList.contains("popover"))
 | 
			
		||||
 | 
			
		||||
  // dont refetch if there's already a popover
 | 
			
		||||
  if ([...link.children].some((child) => child.classList.contains("popover"))) {
 | 
			
		||||
  if (hasAlreadyBeenFetched()) {
 | 
			
		||||
    return setPosition(link.lastChild as HTMLElement)
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
@@ -49,6 +52,11 @@ async function mouseEnterHandler(
 | 
			
		||||
      console.error(err)
 | 
			
		||||
    })
 | 
			
		||||
 | 
			
		||||
  // bailout if another popover exists
 | 
			
		||||
  if (hasAlreadyBeenFetched()) {
 | 
			
		||||
    return
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  if (!contents) return
 | 
			
		||||
  const html = p.parseFromString(contents, "text/html")
 | 
			
		||||
  normalizeRelativeURLs(html, targetUrl)
 | 
			
		||||
 
 | 
			
		||||
@@ -1,4 +1,4 @@
 | 
			
		||||
import { Document } from "flexsearch"
 | 
			
		||||
import { Document, SimpleDocumentSearchResultSetUnit } from "flexsearch"
 | 
			
		||||
import { ContentDetails } from "../../plugins/emitters/contentIndex"
 | 
			
		||||
import { registerEscapeHandler, removeAllChildren } from "./util"
 | 
			
		||||
import { FullSlug, resolveRelative } from "../../util/path"
 | 
			
		||||
@@ -8,12 +8,20 @@ interface Item {
 | 
			
		||||
  slug: FullSlug
 | 
			
		||||
  title: string
 | 
			
		||||
  content: string
 | 
			
		||||
  tags: string[]
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
let index: Document<Item> | undefined = undefined
 | 
			
		||||
 | 
			
		||||
// Can be expanded with things like "term" in the future
 | 
			
		||||
type SearchType = "basic" | "tags"
 | 
			
		||||
 | 
			
		||||
// Current searchType
 | 
			
		||||
let searchType: SearchType = "basic"
 | 
			
		||||
 | 
			
		||||
const contextWindowWords = 30
 | 
			
		||||
const numSearchResults = 5
 | 
			
		||||
const numTagResults = 3
 | 
			
		||||
function highlight(searchTerm: string, text: string, trim?: boolean) {
 | 
			
		||||
  // try to highlight longest tokens first
 | 
			
		||||
  const tokenizedTerms = searchTerm
 | 
			
		||||
@@ -74,6 +82,7 @@ document.addEventListener("nav", async (e: unknown) => {
 | 
			
		||||
  const searchIcon = document.getElementById("search-icon")
 | 
			
		||||
  const searchBar = document.getElementById("search-bar") as HTMLInputElement | null
 | 
			
		||||
  const results = document.getElementById("results-container")
 | 
			
		||||
  const resultCards = document.getElementsByClassName("result-card")
 | 
			
		||||
  const idDataMap = Object.keys(data) as FullSlug[]
 | 
			
		||||
 | 
			
		||||
  function hideSearch() {
 | 
			
		||||
@@ -87,9 +96,12 @@ document.addEventListener("nav", async (e: unknown) => {
 | 
			
		||||
    if (results) {
 | 
			
		||||
      removeAllChildren(results)
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    searchType = "basic" // reset search type after closing
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  function showSearch() {
 | 
			
		||||
  function showSearch(searchTypeNew: SearchType) {
 | 
			
		||||
    searchType = searchTypeNew
 | 
			
		||||
    if (sidebar) {
 | 
			
		||||
      sidebar.style.zIndex = "1"
 | 
			
		||||
    }
 | 
			
		||||
@@ -98,36 +110,123 @@ document.addEventListener("nav", async (e: unknown) => {
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  function shortcutHandler(e: HTMLElementEventMap["keydown"]) {
 | 
			
		||||
    if (e.key === "k" && (e.ctrlKey || e.metaKey)) {
 | 
			
		||||
    if (e.key === "k" && (e.ctrlKey || e.metaKey) && !e.shiftKey) {
 | 
			
		||||
      e.preventDefault()
 | 
			
		||||
      const searchBarOpen = container?.classList.contains("active")
 | 
			
		||||
      searchBarOpen ? hideSearch() : showSearch()
 | 
			
		||||
      searchBarOpen ? hideSearch() : showSearch("basic")
 | 
			
		||||
    } else if (e.shiftKey && (e.ctrlKey || e.metaKey) && e.key.toLowerCase() === "k") {
 | 
			
		||||
      // Hotkey to open tag search
 | 
			
		||||
      e.preventDefault()
 | 
			
		||||
      const searchBarOpen = container?.classList.contains("active")
 | 
			
		||||
      searchBarOpen ? hideSearch() : showSearch("tags")
 | 
			
		||||
 | 
			
		||||
      // add "#" prefix for tag search
 | 
			
		||||
      if (searchBar) searchBar.value = "#"
 | 
			
		||||
    } else if (e.key === "Enter") {
 | 
			
		||||
      const anchor = document.getElementsByClassName("result-card")[0] as HTMLInputElement | null
 | 
			
		||||
      if (anchor) {
 | 
			
		||||
        anchor.click()
 | 
			
		||||
      // If result has focus, navigate to that one, otherwise pick first result
 | 
			
		||||
      if (results?.contains(document.activeElement)) {
 | 
			
		||||
        const active = document.activeElement as HTMLInputElement
 | 
			
		||||
        active.click()
 | 
			
		||||
      } else {
 | 
			
		||||
        const anchor = document.getElementsByClassName("result-card")[0] as HTMLInputElement | null
 | 
			
		||||
        anchor?.click()
 | 
			
		||||
      }
 | 
			
		||||
    } else if (e.key === "ArrowDown") {
 | 
			
		||||
      e.preventDefault()
 | 
			
		||||
      // When first pressing ArrowDown, results wont contain the active element, so focus first element
 | 
			
		||||
      if (!results?.contains(document.activeElement)) {
 | 
			
		||||
        const firstResult = resultCards[0] as HTMLInputElement | null
 | 
			
		||||
        firstResult?.focus()
 | 
			
		||||
      } else {
 | 
			
		||||
        // If an element in results-container already has focus, focus next one
 | 
			
		||||
        const nextResult = document.activeElement?.nextElementSibling as HTMLInputElement | null
 | 
			
		||||
        nextResult?.focus()
 | 
			
		||||
      }
 | 
			
		||||
    } else if (e.key === "ArrowUp") {
 | 
			
		||||
      e.preventDefault()
 | 
			
		||||
      if (results?.contains(document.activeElement)) {
 | 
			
		||||
        // If an element in results-container already has focus, focus previous one
 | 
			
		||||
        const prevResult = document.activeElement?.previousElementSibling as HTMLInputElement | null
 | 
			
		||||
        prevResult?.focus()
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  function trimContent(content: string) {
 | 
			
		||||
    // works without escaping html like in `description.ts`
 | 
			
		||||
    const sentences = content.replace(/\s+/g, " ").split(".")
 | 
			
		||||
    let finalDesc = ""
 | 
			
		||||
    let sentenceIdx = 0
 | 
			
		||||
 | 
			
		||||
    // Roughly estimate characters by (words * 5). Matches description length in `description.ts`.
 | 
			
		||||
    const len = contextWindowWords * 5
 | 
			
		||||
    while (finalDesc.length < len) {
 | 
			
		||||
      const sentence = sentences[sentenceIdx]
 | 
			
		||||
      if (!sentence) break
 | 
			
		||||
      finalDesc += sentence + "."
 | 
			
		||||
      sentenceIdx++
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    // If more content would be available, indicate it by finishing with "..."
 | 
			
		||||
    if (finalDesc.length < content.length) {
 | 
			
		||||
      finalDesc += ".."
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    return finalDesc
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  const formatForDisplay = (term: string, id: number) => {
 | 
			
		||||
    const slug = idDataMap[id]
 | 
			
		||||
    return {
 | 
			
		||||
      id,
 | 
			
		||||
      slug,
 | 
			
		||||
      title: highlight(term, data[slug].title ?? ""),
 | 
			
		||||
      content: highlight(term, data[slug].content ?? "", true),
 | 
			
		||||
      title: searchType === "tags" ? data[slug].title : highlight(term, data[slug].title ?? ""),
 | 
			
		||||
      // if searchType is tag, display context from start of file and trim, otherwise use regular highlight
 | 
			
		||||
      content:
 | 
			
		||||
        searchType === "tags"
 | 
			
		||||
          ? trimContent(data[slug].content)
 | 
			
		||||
          : highlight(term, data[slug].content ?? "", true),
 | 
			
		||||
      tags: highlightTags(term, data[slug].tags),
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  const resultToHTML = ({ slug, title, content }: Item) => {
 | 
			
		||||
  function highlightTags(term: string, tags: string[]) {
 | 
			
		||||
    if (tags && searchType === "tags") {
 | 
			
		||||
      // Find matching tags
 | 
			
		||||
      const termLower = term.toLowerCase()
 | 
			
		||||
      let matching = tags.filter((str) => str.includes(termLower))
 | 
			
		||||
 | 
			
		||||
      // Substract matching from original tags, then push difference
 | 
			
		||||
      if (matching.length > 0) {
 | 
			
		||||
        let difference = tags.filter((x) => !matching.includes(x))
 | 
			
		||||
 | 
			
		||||
        // Convert to html (cant be done later as matches/term dont get passed to `resultToHTML`)
 | 
			
		||||
        matching = matching.map((tag) => `<li><p class="match-tag">#${tag}</p></li>`)
 | 
			
		||||
        difference = difference.map((tag) => `<li><p>#${tag}</p></li>`)
 | 
			
		||||
        matching.push(...difference)
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      // Only allow max of `numTagResults` in preview
 | 
			
		||||
      if (tags.length > numTagResults) {
 | 
			
		||||
        matching.splice(numTagResults)
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      return matching
 | 
			
		||||
    } else {
 | 
			
		||||
      return []
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  const resultToHTML = ({ slug, title, content, tags }: Item) => {
 | 
			
		||||
    const htmlTags = tags.length > 0 ? `<ul>${tags.join("")}</ul>` : ``
 | 
			
		||||
    const button = document.createElement("button")
 | 
			
		||||
    button.classList.add("result-card")
 | 
			
		||||
    button.id = slug
 | 
			
		||||
    button.innerHTML = `<h3>${title}</h3><p>${content}</p>`
 | 
			
		||||
    button.innerHTML = `<h3>${title}</h3>${htmlTags}<p>${content}</p>`
 | 
			
		||||
    button.addEventListener("click", () => {
 | 
			
		||||
      const targ = resolveRelative(currentSlug, slug)
 | 
			
		||||
      window.spaNavigate(new URL(targ, window.location.toString()))
 | 
			
		||||
      hideSearch()
 | 
			
		||||
    })
 | 
			
		||||
    return button
 | 
			
		||||
  }
 | 
			
		||||
@@ -147,15 +246,45 @@ document.addEventListener("nav", async (e: unknown) => {
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  async function onType(e: HTMLElementEventMap["input"]) {
 | 
			
		||||
    const term = (e.target as HTMLInputElement).value
 | 
			
		||||
    const searchResults = (await index?.searchAsync(term, numSearchResults)) ?? []
 | 
			
		||||
    let term = (e.target as HTMLInputElement).value
 | 
			
		||||
    let searchResults: SimpleDocumentSearchResultSetUnit[]
 | 
			
		||||
 | 
			
		||||
    if (term.toLowerCase().startsWith("#")) {
 | 
			
		||||
      searchType = "tags"
 | 
			
		||||
    } else {
 | 
			
		||||
      searchType = "basic"
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    switch (searchType) {
 | 
			
		||||
      case "tags": {
 | 
			
		||||
        term = term.substring(1)
 | 
			
		||||
        searchResults =
 | 
			
		||||
          (await index?.searchAsync({ query: term, limit: numSearchResults, index: ["tags"] })) ??
 | 
			
		||||
          []
 | 
			
		||||
        break
 | 
			
		||||
      }
 | 
			
		||||
      case "basic":
 | 
			
		||||
      default: {
 | 
			
		||||
        searchResults =
 | 
			
		||||
          (await index?.searchAsync({
 | 
			
		||||
            query: term,
 | 
			
		||||
            limit: numSearchResults,
 | 
			
		||||
            index: ["title", "content"],
 | 
			
		||||
          })) ?? []
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    const getByField = (field: string): number[] => {
 | 
			
		||||
      const results = searchResults.filter((x) => x.field === field)
 | 
			
		||||
      return results.length === 0 ? [] : ([...results[0].result] as number[])
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    // order titles ahead of content
 | 
			
		||||
    const allIds: Set<number> = new Set([...getByField("title"), ...getByField("content")])
 | 
			
		||||
    const allIds: Set<number> = new Set([
 | 
			
		||||
      ...getByField("title"),
 | 
			
		||||
      ...getByField("content"),
 | 
			
		||||
      ...getByField("tags"),
 | 
			
		||||
    ])
 | 
			
		||||
    const finalResults = [...allIds].map((id) => formatForDisplay(term, id))
 | 
			
		||||
    displayResults(finalResults)
 | 
			
		||||
  }
 | 
			
		||||
@@ -166,15 +295,14 @@ document.addEventListener("nav", async (e: unknown) => {
 | 
			
		||||
 | 
			
		||||
  document.addEventListener("keydown", shortcutHandler)
 | 
			
		||||
  prevShortcutHandler = shortcutHandler
 | 
			
		||||
  searchIcon?.removeEventListener("click", showSearch)
 | 
			
		||||
  searchIcon?.addEventListener("click", showSearch)
 | 
			
		||||
  searchIcon?.removeEventListener("click", () => showSearch("basic"))
 | 
			
		||||
  searchIcon?.addEventListener("click", () => showSearch("basic"))
 | 
			
		||||
  searchBar?.removeEventListener("input", onType)
 | 
			
		||||
  searchBar?.addEventListener("input", onType)
 | 
			
		||||
 | 
			
		||||
  // setup index if it hasn't been already
 | 
			
		||||
  if (!index) {
 | 
			
		||||
    index = new Document({
 | 
			
		||||
      cache: true,
 | 
			
		||||
      charset: "latin:extra",
 | 
			
		||||
      optimize: true,
 | 
			
		||||
      encode: encoder,
 | 
			
		||||
@@ -189,22 +317,36 @@ document.addEventListener("nav", async (e: unknown) => {
 | 
			
		||||
            field: "content",
 | 
			
		||||
            tokenize: "reverse",
 | 
			
		||||
          },
 | 
			
		||||
          {
 | 
			
		||||
            field: "tags",
 | 
			
		||||
            tokenize: "reverse",
 | 
			
		||||
          },
 | 
			
		||||
        ],
 | 
			
		||||
      },
 | 
			
		||||
    })
 | 
			
		||||
 | 
			
		||||
    let id = 0
 | 
			
		||||
    for (const [slug, fileData] of Object.entries<ContentDetails>(data)) {
 | 
			
		||||
      await index.addAsync(id, {
 | 
			
		||||
        id,
 | 
			
		||||
        slug: slug as FullSlug,
 | 
			
		||||
        title: fileData.title,
 | 
			
		||||
        content: fileData.content,
 | 
			
		||||
      })
 | 
			
		||||
      id++
 | 
			
		||||
    }
 | 
			
		||||
    fillDocument(index, data)
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  // register handlers
 | 
			
		||||
  registerEscapeHandler(container, hideSearch)
 | 
			
		||||
})
 | 
			
		||||
 | 
			
		||||
/**
 | 
			
		||||
 * Fills flexsearch document with data
 | 
			
		||||
 * @param index index to fill
 | 
			
		||||
 * @param data data to fill index with
 | 
			
		||||
 */
 | 
			
		||||
async function fillDocument(index: Document<Item, false>, data: any) {
 | 
			
		||||
  let id = 0
 | 
			
		||||
  for (const [slug, fileData] of Object.entries<ContentDetails>(data)) {
 | 
			
		||||
    await index.addAsync(id, {
 | 
			
		||||
      id,
 | 
			
		||||
      slug: slug as FullSlug,
 | 
			
		||||
      title: fileData.title,
 | 
			
		||||
      content: fileData.content,
 | 
			
		||||
      tags: fileData.tags,
 | 
			
		||||
    })
 | 
			
		||||
    id++
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 
 | 
			
		||||
@@ -1,5 +1,6 @@
 | 
			
		||||
import micromorph from "micromorph"
 | 
			
		||||
import { FullSlug, RelativeURL, getFullSlug } from "../../util/path"
 | 
			
		||||
import { normalizeRelativeURLs } from "./popover.inline"
 | 
			
		||||
 | 
			
		||||
// adapted from `micromorph`
 | 
			
		||||
// https://github.com/natemoo-re/micromorph
 | 
			
		||||
@@ -18,8 +19,15 @@ const isLocalUrl = (href: string) => {
 | 
			
		||||
  return false
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
const isSamePage = (url: URL): boolean => {
 | 
			
		||||
  const sameOrigin = url.origin === window.location.origin
 | 
			
		||||
  const samePath = url.pathname === window.location.pathname
 | 
			
		||||
  return sameOrigin && samePath
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
const getOpts = ({ target }: Event): { url: URL; scroll?: boolean } | undefined => {
 | 
			
		||||
  if (!isElement(target)) return
 | 
			
		||||
  if (target.attributes.getNamedItem("target")?.value === "_blank") return
 | 
			
		||||
  const a = target.closest("a")
 | 
			
		||||
  if (!a) return
 | 
			
		||||
  if ("routerIgnore" in a.dataset) return
 | 
			
		||||
@@ -45,6 +53,8 @@ async function navigate(url: URL, isBack: boolean = false) {
 | 
			
		||||
  if (!contents) return
 | 
			
		||||
 | 
			
		||||
  const html = p.parseFromString(contents, "text/html")
 | 
			
		||||
  normalizeRelativeURLs(html, url)
 | 
			
		||||
 | 
			
		||||
  let title = html.querySelector("title")?.textContent
 | 
			
		||||
  if (title) {
 | 
			
		||||
    document.title = title
 | 
			
		||||
@@ -92,8 +102,16 @@ function createRouter() {
 | 
			
		||||
  if (typeof window !== "undefined") {
 | 
			
		||||
    window.addEventListener("click", async (event) => {
 | 
			
		||||
      const { url } = getOpts(event) ?? {}
 | 
			
		||||
      if (!url) return
 | 
			
		||||
      // dont hijack behaviour, just let browser act normally
 | 
			
		||||
      if (!url || event.ctrlKey || event.metaKey) return
 | 
			
		||||
      event.preventDefault()
 | 
			
		||||
 | 
			
		||||
      if (isSamePage(url) && url.hash) {
 | 
			
		||||
        const el = document.getElementById(decodeURIComponent(url.hash.substring(1)))
 | 
			
		||||
        el?.scrollIntoView()
 | 
			
		||||
        return
 | 
			
		||||
      }
 | 
			
		||||
 | 
			
		||||
      try {
 | 
			
		||||
        navigate(url, false)
 | 
			
		||||
      } catch (e) {
 | 
			
		||||
 
 | 
			
		||||
@@ -24,8 +24,9 @@ function toggleToc(this: HTMLElement) {
 | 
			
		||||
function setupToc() {
 | 
			
		||||
  const toc = document.getElementById("toc")
 | 
			
		||||
  if (toc) {
 | 
			
		||||
    const collapsed = toc.classList.contains("collapsed")
 | 
			
		||||
    const content = toc.nextElementSibling as HTMLElement
 | 
			
		||||
    content.style.maxHeight = content.scrollHeight + "px"
 | 
			
		||||
    content.style.maxHeight = collapsed ? "0px" : content.scrollHeight + "px"
 | 
			
		||||
    toc.removeEventListener("click", toggleToc)
 | 
			
		||||
    toc.addEventListener("click", toggleToc)
 | 
			
		||||
  }
 | 
			
		||||
 
 | 
			
		||||
							
								
								
									
										22
									
								
								quartz/components/styles/breadcrumbs.scss
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										22
									
								
								quartz/components/styles/breadcrumbs.scss
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,22 @@
 | 
			
		||||
.breadcrumb-container {
 | 
			
		||||
  margin: 0;
 | 
			
		||||
  margin-top: 0.75rem;
 | 
			
		||||
  padding: 0;
 | 
			
		||||
  display: flex;
 | 
			
		||||
  flex-direction: row;
 | 
			
		||||
  flex-wrap: wrap;
 | 
			
		||||
  gap: 0.5rem;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.breadcrumb-element {
 | 
			
		||||
  p {
 | 
			
		||||
    margin: 0;
 | 
			
		||||
    margin-left: 0.5rem;
 | 
			
		||||
    padding: 0;
 | 
			
		||||
    line-height: normal;
 | 
			
		||||
  }
 | 
			
		||||
  display: flex;
 | 
			
		||||
  flex-direction: row;
 | 
			
		||||
  align-items: center;
 | 
			
		||||
  justify-content: center;
 | 
			
		||||
}
 | 
			
		||||
@@ -10,7 +10,6 @@
 | 
			
		||||
  background-color: var(--light);
 | 
			
		||||
  border: 1px solid;
 | 
			
		||||
  border-radius: 5px;
 | 
			
		||||
  z-index: 1;
 | 
			
		||||
  opacity: 0;
 | 
			
		||||
  transition: 0.2s;
 | 
			
		||||
 | 
			
		||||
 
 | 
			
		||||
@@ -21,6 +21,14 @@
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
:root[saved-theme="dark"] {
 | 
			
		||||
  color-scheme: dark;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
:root[saved-theme="light"] {
 | 
			
		||||
  color-scheme: light;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
:root[saved-theme="dark"] .toggle ~ label {
 | 
			
		||||
  & > #dayIcon {
 | 
			
		||||
    opacity: 0;
 | 
			
		||||
 
 | 
			
		||||
							
								
								
									
										146
									
								
								quartz/components/styles/explorer.scss
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										146
									
								
								quartz/components/styles/explorer.scss
									
									
									
									
									
										Normal file
									
								
							@@ -0,0 +1,146 @@
 | 
			
		||||
button#explorer {
 | 
			
		||||
  all: unset;
 | 
			
		||||
  background-color: transparent;
 | 
			
		||||
  border: none;
 | 
			
		||||
  text-align: left;
 | 
			
		||||
  cursor: pointer;
 | 
			
		||||
  padding: 0;
 | 
			
		||||
  color: var(--dark);
 | 
			
		||||
  display: flex;
 | 
			
		||||
  align-items: center;
 | 
			
		||||
 | 
			
		||||
  & h1 {
 | 
			
		||||
    font-size: 1rem;
 | 
			
		||||
    display: inline-block;
 | 
			
		||||
    margin: 0;
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  & .fold {
 | 
			
		||||
    margin-left: 0.5rem;
 | 
			
		||||
    transition: transform 0.3s ease;
 | 
			
		||||
    opacity: 0.8;
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  &.collapsed .fold {
 | 
			
		||||
    transform: rotateZ(-90deg);
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.folder-outer {
 | 
			
		||||
  display: grid;
 | 
			
		||||
  grid-template-rows: 0fr;
 | 
			
		||||
  transition: grid-template-rows 0.3s ease-in-out;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.folder-outer.open {
 | 
			
		||||
  grid-template-rows: 1fr;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.folder-outer > ul {
 | 
			
		||||
  overflow: hidden;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
#explorer-content {
 | 
			
		||||
  list-style: none;
 | 
			
		||||
  overflow: hidden;
 | 
			
		||||
  max-height: none;
 | 
			
		||||
  transition: max-height 0.35s ease;
 | 
			
		||||
  margin-top: 0.5rem;
 | 
			
		||||
 | 
			
		||||
  &.collapsed > .overflow::after {
 | 
			
		||||
    opacity: 0;
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  & ul {
 | 
			
		||||
    list-style: none;
 | 
			
		||||
    margin: 0.08rem 0;
 | 
			
		||||
    padding: 0;
 | 
			
		||||
    transition:
 | 
			
		||||
      max-height 0.35s ease,
 | 
			
		||||
      transform 0.35s ease,
 | 
			
		||||
      opacity 0.2s ease;
 | 
			
		||||
    & li > a {
 | 
			
		||||
      color: var(--dark);
 | 
			
		||||
      opacity: 0.75;
 | 
			
		||||
      pointer-events: all;
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
svg {
 | 
			
		||||
  pointer-events: all;
 | 
			
		||||
 | 
			
		||||
  & > polyline {
 | 
			
		||||
    pointer-events: none;
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.folder-container {
 | 
			
		||||
  flex-direction: row;
 | 
			
		||||
  display: flex;
 | 
			
		||||
  align-items: center;
 | 
			
		||||
  user-select: none;
 | 
			
		||||
 | 
			
		||||
  & div > a {
 | 
			
		||||
    color: var(--secondary);
 | 
			
		||||
    font-family: var(--headerFont);
 | 
			
		||||
    font-size: 0.95rem;
 | 
			
		||||
    font-weight: 600;
 | 
			
		||||
    line-height: 1.5rem;
 | 
			
		||||
    display: inline-block;
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  & div > a:hover {
 | 
			
		||||
    color: var(--tertiary);
 | 
			
		||||
  }
 | 
			
		||||
 | 
			
		||||
  & div > button {
 | 
			
		||||
    color: var(--dark);
 | 
			
		||||
    background-color: transparent;
 | 
			
		||||
    border: none;
 | 
			
		||||
    text-align: left;
 | 
			
		||||
    cursor: pointer;
 | 
			
		||||
    padding-left: 0;
 | 
			
		||||
    padding-right: 0;
 | 
			
		||||
    display: flex;
 | 
			
		||||
    align-items: center;
 | 
			
		||||
    font-family: var(--headerFont);
 | 
			
		||||
 | 
			
		||||
    & p {
 | 
			
		||||
      font-size: 0.95rem;
 | 
			
		||||
      display: inline-block;
 | 
			
		||||
      color: var(--secondary);
 | 
			
		||||
      font-weight: 600;
 | 
			
		||||
      margin: 0;
 | 
			
		||||
      line-height: 1.5rem;
 | 
			
		||||
      pointer-events: none;
 | 
			
		||||
    }
 | 
			
		||||
  }
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.folder-icon {
 | 
			
		||||
  margin-right: 5px;
 | 
			
		||||
  color: var(--secondary);
 | 
			
		||||
  cursor: pointer;
 | 
			
		||||
  transition: transform 0.3s ease;
 | 
			
		||||
  backface-visibility: visible;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
div:has(> .folder-outer:not(.open)) > .folder-container > svg {
 | 
			
		||||
  transform: rotate(-90deg);
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.folder-icon:hover {
 | 
			
		||||
  color: var(--tertiary);
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
.no-background::after {
 | 
			
		||||
  background: none !important;
 | 
			
		||||
}
 | 
			
		||||
 | 
			
		||||
#explorer-end {
 | 
			
		||||
  // needs height so IntersectionObserver gets triggered
 | 
			
		||||
  height: 4px;
 | 
			
		||||
  // remove default margin from li
 | 
			
		||||
  margin: 0;
 | 
			
		||||
}
 | 
			
		||||
@@ -19,11 +19,6 @@ li.section-li {
 | 
			
		||||
      }
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    & > .tags {
 | 
			
		||||
      justify-self: end;
 | 
			
		||||
      margin-left: 1rem;
 | 
			
		||||
    }
 | 
			
		||||
 | 
			
		||||
    & > .desc > h3 > a {
 | 
			
		||||
      background-color: transparent;
 | 
			
		||||
    }
 | 
			
		||||
 
 | 
			
		||||
@@ -130,6 +130,44 @@
 | 
			
		||||
            margin: 0;
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          & > ul > li {
 | 
			
		||||
            margin: 0;
 | 
			
		||||
            display: inline-block;
 | 
			
		||||
            white-space: nowrap;
 | 
			
		||||
            margin: 0;
 | 
			
		||||
            overflow-wrap: normal;
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          & > ul {
 | 
			
		||||
            list-style: none;
 | 
			
		||||
            display: flex;
 | 
			
		||||
            padding-left: 0;
 | 
			
		||||
            gap: 0.4rem;
 | 
			
		||||
            margin: 0;
 | 
			
		||||
            margin-top: 0.45rem;
 | 
			
		||||
            // Offset border radius
 | 
			
		||||
            margin-left: -2px;
 | 
			
		||||
            overflow: hidden;
 | 
			
		||||
            background-clip: border-box;
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          & > ul > li > p {
 | 
			
		||||
            border-radius: 8px;
 | 
			
		||||
            background-color: var(--highlight);
 | 
			
		||||
            overflow: hidden;
 | 
			
		||||
            background-clip: border-box;
 | 
			
		||||
            padding: 0.03rem 0.4rem;
 | 
			
		||||
            margin: 0;
 | 
			
		||||
            color: var(--secondary);
 | 
			
		||||
            opacity: 0.85;
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          & > ul > li > .match-tag {
 | 
			
		||||
            color: var(--tertiary);
 | 
			
		||||
            font-weight: bold;
 | 
			
		||||
            opacity: 1;
 | 
			
		||||
          }
 | 
			
		||||
 | 
			
		||||
          & > p {
 | 
			
		||||
            margin-bottom: 0;
 | 
			
		||||
          }
 | 
			
		||||
 
 | 
			
		||||
		Reference in New Issue
	
	Block a user