diff --git a/.github/workflows/test-smokes.yml b/.github/workflows/test-smokes.yml index b50359571df..84e601aeb19 100644 --- a/.github/workflows/test-smokes.yml +++ b/.github/workflows/test-smokes.yml @@ -276,23 +276,15 @@ jobs: # Useful as TinyTeX latest release is checked in run-test.sh GH_TOKEN: ${{ secrets.GITHUB_TOKEN }} run: | - $haserror=$false foreach ($file in ('${{ inputs.buckets }}' | ConvertFrom-Json)) { Write-Host ">>> ./run-tests.ps1 ${file}" ./run-tests.ps1 $file - $status=$LASTEXITCODE - if ($status -eq 1) { - Write-Host ">>> Error found in test file" - $haserror=$true - } else { - Write-Host ">>> No error in this test file" + if ($LASTEXITCODE -ne 0) { + Exit 1 } + Write-Host ">>> No error in this test file" } - if ($haserror) { - Exit 1 - } else { - Write-Host ">>> All tests have passed" - } + Write-Host ">>> All tests have passed" working-directory: tests shell: pwsh diff --git a/dev-docs/subtree-extensions.md b/dev-docs/subtree-extensions.md new file mode 100644 index 00000000000..5ed7f0a03af --- /dev/null +++ b/dev-docs/subtree-extensions.md @@ -0,0 +1,41 @@ +# Subtree extensions + +Subtree extensions live in `src/resources/subtree-extensions`. + +Each is the complete git repository of a Quarto extension, e.g. the directory tree for the Julia engine looks like + +``` +src/resources/extension-subtrees/ + julia-engine/ + _extensions/ + julia-engine/ + _extension.yml + julia-engine.ts + ... +``` + +The command to add or update a subtree is + +``` +quarto dev-call pull-git-subtree subtree-name +``` + +Omit _subtree-name_ to add/update all. + +The code in `src/command/dev-call/pull-git-subtree/cmd.ts` contains a table of subtree + +- `name` +- `prefix` (subdirectory) +- `remoteUrl` +- `remoteBranch` + +If the command is successful, it will add two commits, one the squashed changes from the remote repo and one a merge commit. + +The commits have subtree status information in the message and metadata, so don't change them. + +The commits can't be rebased -- you'll get weird errors indicating it tried to merge changes at the root of the repo. + +So you must either + +- run the command when ready to merge to main, or +- remove the commits when rebasing, and run the `dev-call` command again diff --git a/llm-docs/error-messages.md b/llm-docs/error-messages.md new file mode 100644 index 00000000000..c3b3922f4f8 --- /dev/null +++ b/llm-docs/error-messages.md @@ -0,0 +1,103 @@ +# Writing Error Messages in Quarto + +## The Rule + +Each `error()`, `warning()`, or `info()` call should be **exactly one line**. + +- ✅ End messages with `\n` to add blank lines after +- ❌ Never start messages with `\n` +- ❌ Never use empty `error("")` calls + +## Why This Matters + +Quarto's logging prefixes each call with `ERROR:` / `WARNING:` / `INFO:`. Starting a message with `\n` or using empty calls creates confusing output: + +``` +ERROR: Multiple files found +ERROR: +Or specify entry point: ← Empty "ERROR:" line from \n at start +``` + +## Adding Blank Lines + +To add a blank line between sections, end the **previous** message with `\n`: + +### ✅ Good + +```typescript +error("Multiple .ts files found in src/\n"); // \n at END +error("Specify entry point as argument:"); +error(" quarto call build-ts-extension src/my-engine.ts"); +``` + +Output: +``` +ERROR: Multiple .ts files found in src/ +ERROR: +ERROR: Specify entry point as argument: +ERROR: quarto call build-ts-extension src/my-engine.ts +``` + +### ❌ Bad + +```typescript +error("Multiple .ts files found in src/"); +error("\nSpecify entry point as argument:"); // \n at START +error(" quarto call build-ts-extension src/my-engine.ts"); +``` + +Output: +``` +ERROR: Multiple .ts files found in src/ +ERROR: +ERROR: Specify entry point as argument: ← Blank "ERROR:" line before +ERROR: quarto call build-ts-extension src/my-engine.ts +``` + +### ❌ Also Bad + +```typescript +error("Multiple .ts files found in src/"); +error(""); // Empty call to add spacing +error("Specify entry point as argument:"); +``` + +Output: +``` +ERROR: Multiple .ts files found in src/ +ERROR: ← Empty "ERROR:" line +ERROR: Specify entry point as argument: +``` + +## Complete Example + +Here's a real example from `build-ts-extension` showing proper formatting: + +### ✅ Good + +```typescript +error("No src/ directory found.\n"); +error("Create a TypeScript file in src/:"); +error(" mkdir -p src"); +error(" touch src/my-engine.ts\n"); +error("Or specify entry point as argument:"); +error(" quarto call build-ts-extension src/my-engine.ts"); +``` + +Output: +``` +ERROR: No src/ directory found. +ERROR: +ERROR: Create a TypeScript file in src/: +ERROR: mkdir -p src +ERROR: touch src/my-engine.ts +ERROR: +ERROR: Or specify entry point as argument: +ERROR: quarto call build-ts-extension src/my-engine.ts +``` + +Notice: +- Each `error()` call is one complete line +- Blank lines are created by ending the previous message with `\n` +- Indentation (with spaces) is preserved within each message +- Message flow is clear and readable diff --git a/llm-docs/quarto-api.md b/llm-docs/quarto-api.md new file mode 100644 index 00000000000..9940224615d --- /dev/null +++ b/llm-docs/quarto-api.md @@ -0,0 +1,188 @@ +# Quarto API and @quarto/types + +## Building @quarto/types + +To build the @quarto/types package: + +``` +cd packages/quarto-types +npm run build +``` + +This runs typecheck and then bundles all type definitions into `dist/index.d.ts`. + +--- + +## Updating the Quarto API + +The Quarto API is how external execution engines access Quarto's core functionality. The API exists in two places: + +1. **Type definitions** in `packages/quarto-types/` - consumed by external engines (TypeScript) +2. **Implementation** in `src/core/quarto-api.ts` - used within quarto-cli + +### Step-by-step: Adding to the Quarto API + +Follow these steps in order when adding new functionality to the API: + +#### 1. Update quarto-types type definitions + +**Add auxiliary types** (if needed): + +- Types belong in `packages/quarto-types/src/` +- Follow the existing file organization: + - `system.ts` - System/process types (ProcessResult, TempContext, etc.) + - `console.ts` - Console/UI types (SpinnerOptions, etc.) + - `jupyter.ts` - Jupyter-specific types + - `check.ts` - Check command types + - `execution.ts` - Execution engine types + - etc. +- Create new files if needed for logical grouping + +**Export types from index.ts:** + +```typescript +// In packages/quarto-types/src/index.ts +export type * from "./your-new-file.ts"; +``` + +**Add to QuartoAPI interface:** + +```typescript +// In packages/quarto-types/src/quarto-api.ts + +// 1. Import any new types at the top +import type { YourNewType } from "./your-file.ts"; + +// 2. Add to the QuartoAPI interface +export interface QuartoAPI { + // ... existing namespaces + + yourNamespace: { + yourMethod: (param: YourNewType) => ReturnType; + }; +} +``` + +#### 2. Test the type definitions + +```bash +cd packages/quarto-types +npm run build +``` + +This will: + +- Run `tsc --noEmit` to typecheck +- Bundle types into `dist/index.d.ts` +- Show any type errors + +Fix any errors before proceeding. + +#### 3. Update the internal QuartoAPI interface + +The file `src/core/quarto-api.ts` contains a **duplicate** QuartoAPI interface definition used for the internal implementation. Update it to match: + +```typescript +// In src/core/quarto-api.ts (near top of file) +export interface QuartoAPI { + // ... existing namespaces + + yourNamespace: { + yourMethod: (param: YourNewType) => ReturnType; + }; +} +``` + +**Note:** This interface must match the one in quarto-types, but uses internal types. + +#### 4. Wire up the implementation + +Still in `src/core/quarto-api.ts`: + +**Add imports** (near top): + +```typescript +import { yourMethod } from "./your-module.ts"; +``` + +**Add to quartoAPI object** (at bottom): + +```typescript +export const quartoAPI: QuartoAPI = { + // ... existing namespaces + + yourNamespace: { + yourMethod, + }, +}; +``` + +#### 5. Verify with typecheck + +Run the quarto typecheck: + +```bash +package/dist/bin/quarto +``` + +No output means success! Fix any type errors. + +#### 6. Commit with built artifact + +**Always commit the built `dist/index.d.ts` file** along with source changes: + +```bash +git add packages/quarto-types/src/your-file.ts \ + packages/quarto-types/src/index.ts \ + packages/quarto-types/src/quarto-api.ts \ + packages/quarto-types/dist/index.d.ts \ + src/core/quarto-api.ts + +git commit -m "Add yourNamespace to Quarto API" +``` + +### Using the Quarto API in source files + +#### Inside quarto-cli (internal modules) + +```typescript +// Import the quartoAPI instance +import { quartoAPI as quarto } from "../../core/quarto-api.ts"; + +// Use it +const caps = await quarto.jupyter.capabilities(); +await quarto.console.withSpinner({ message: "Working..." }, async () => { + // do work +}); +``` + +#### External engines + +External engines receive the API via their `init()` method: + +```typescript +let quarto: QuartoAPI; + +export const myEngineDiscovery: ExecutionEngineDiscovery = { + init: (quartoAPI: QuartoAPI) => { + quarto = quartoAPI; // Store for later use + }, + + // ... other methods can now use quarto +}; +``` + +#### Removing old imports + +When moving functionality to the API, **remove direct imports** from internal modules: + +```typescript +// ❌ OLD - direct import +import { withSpinner } from "../../core/console.ts"; + +// ✅ NEW - use API +import { quartoAPI as quarto } from "../../core/quarto-api.ts"; +const result = await quarto.console.withSpinner(...); +``` + +This ensures external engines and internal code use the same interface. diff --git a/package/src/common/prepare-dist.ts b/package/src/common/prepare-dist.ts index c10c3a88add..5509318abad 100755 --- a/package/src/common/prepare-dist.ts +++ b/package/src/common/prepare-dist.ts @@ -118,6 +118,11 @@ export async function prepareDist( supportingFiles(config); info(""); + // Update extension-build import map for distribution + info("Updating extension-build import map"); + updateImportMap(config); + info(""); + // Create the deno bundle // const input = join(config.directoryInfo.src, "quarto.ts"); const output = join(config.directoryInfo.pkgWorking.bin, "quarto.js"); @@ -163,6 +168,20 @@ export async function prepareDist( ); } + // Copy quarto-types to extension-build directory + // Note: deno.json and import-map.json are copied by supportingFiles() and + // import-map.json is then updated by updateImportMap() for distribution + info("Copying quarto-types.d.ts to extension-build directory"); + const extensionBuildDir = join( + config.directoryInfo.pkgWorking.share, + "extension-build", + ); + copySync( + join(config.directoryInfo.root, "packages/quarto-types/dist/index.d.ts"), + join(extensionBuildDir, "quarto-types.d.ts"), + { overwrite: true }, + ); + // Remove the config directory, if present info(`Cleaning config`); const configDir = join(config.directoryInfo.dist, "config"); @@ -209,6 +228,49 @@ function supportingFiles(config: Configuration) { pathsToClean.forEach((path) => Deno.removeSync(path, { recursive: true })); } +function updateImportMap(config: Configuration) { + // Read the import map that was copied from src/resources/extension-build/ + const importMapPath = join( + config.directoryInfo.pkgWorking.share, + "extension-build", + "import-map.json", + ); + const importMapContent = JSON.parse(Deno.readTextFileSync(importMapPath)); + + // Read the source import map to get current Deno std versions + const sourceImportMapPath = join(config.directoryInfo.src, "import_map.json"); + const sourceImportMap = JSON.parse(Deno.readTextFileSync(sourceImportMapPath)); + const sourceImports = sourceImportMap.imports as Record; + + // Update the import map for distribution: + // 1. Change @quarto/types path from dev (../../../packages/...) to dist (./quarto-types.d.ts) + // 2. Update all other imports (Deno std versions) from source import map + const updatedImports: Record = { + "@quarto/types": "./quarto-types.d.ts", + }; + + // Copy all other imports from source, updating versions + for (const key in importMapContent.imports) { + if (key !== "@quarto/types") { + const sourceValue = sourceImports[key]; + if (!sourceValue) { + throw new Error( + `Import map key "${key}" not found in source import_map.json`, + ); + } + updatedImports[key] = sourceValue; + } + } + + importMapContent.imports = updatedImports; + + // Write back the updated import map + Deno.writeTextFileSync( + importMapPath, + JSON.stringify(importMapContent, null, 2) + "\n", + ); +} + interface Filter { // The name of the filter (the LUA file and perhaps the directory) name: string; diff --git a/package/src/quarto-bld b/package/src/quarto-bld index 6aaf5cd47a4..d8e13bc66c0 100755 --- a/package/src/quarto-bld +++ b/package/src/quarto-bld @@ -17,4 +17,5 @@ export DENO_NO_UPDATE_CHECK=1 # TODO: Consider generating a source map or something to get a good stack # Create the Deno bundle -"$QUARTO_DENO" run --no-check --unstable-kv --unstable-ffi --allow-all --v8-flags=--stack-trace-limit=100 --importmap="${SCRIPT_PATH}/../../src/import_map.json" "$SCRIPT_PATH/bld.ts" $@ +# --enable-experimental-regexp-engine is required for /regex/l, https://github.com/quarto-dev/quarto-cli/issues/9737 +"$QUARTO_DENO" run --no-check --unstable-kv --unstable-ffi --allow-all --v8-flags=--enable-experimental-regexp-engine,--stack-trace-limit=100 --importmap="${SCRIPT_PATH}/../../src/import_map.json" "$SCRIPT_PATH/bld.ts" $@ diff --git a/package/src/quarto-bld.cmd b/package/src/quarto-bld.cmd index f514e9f6214..221125a8be1 100644 --- a/package/src/quarto-bld.cmd +++ b/package/src/quarto-bld.cmd @@ -9,4 +9,5 @@ if NOT DEFINED QUARTO_DENO ( SET "RUST_BACKTRACE=full" SET "DENO_NO_UPDATE_CHECK=1" -"%QUARTO_DENO%" run --unstable-kv --unstable-ffi --allow-all --importmap=%~dp0\..\..\src\import_map.json %~dp0\bld.ts %* +REM --enable-experimental-regexp-engine is required for /regex/l, https://github.com/quarto-dev/quarto-cli/issues/9737 +"%QUARTO_DENO%" run --no-check --unstable-kv --unstable-ffi --allow-all --v8-flags=--enable-experimental-regexp-engine,--stack-trace-limit=100 --importmap=%~dp0\..\..\src\import_map.json %~dp0\bld.ts %* diff --git a/package/src/util/deno.ts b/package/src/util/deno.ts index 6a314bfaf37..4bdc6c86392 100644 --- a/package/src/util/deno.ts +++ b/package/src/util/deno.ts @@ -54,6 +54,8 @@ export async function compile( denoBundleCmd.push("compile"); denoBundleCmd.push("--unstable-kv"); denoBundleCmd.push("--unstable-ffi"); + // --enable-experimental-regexp-engine is required for /regex/l, https://github.com/quarto-dev/quarto-cli/issues/9737 + denoBundleCmd.push("--v8-flags=--enable-experimental-regexp-engine,--stack-trace-limit=100"); denoBundleCmd.push( "--importmap=" + configuration.importmap, ); diff --git a/packages/quarto-types/.gitignore b/packages/quarto-types/.gitignore new file mode 100644 index 00000000000..d66d8794876 --- /dev/null +++ b/packages/quarto-types/.gitignore @@ -0,0 +1,20 @@ +# Dependency directories +node_modules/ +npm-debug.log +yarn-error.log +yarn-debug.log + +# Output directories + +# TypeScript cache +*.tsbuildinfo + +# IDE files +.idea/ +.vscode/ +*.swp +*.swo + +# OS specific files +.DS_Store +Thumbs.db diff --git a/packages/quarto-types/LICENSE b/packages/quarto-types/LICENSE new file mode 100644 index 00000000000..8b2e300a47a --- /dev/null +++ b/packages/quarto-types/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2023 Quarto + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. \ No newline at end of file diff --git a/packages/quarto-types/README.md b/packages/quarto-types/README.md new file mode 100644 index 00000000000..a16ca130e89 --- /dev/null +++ b/packages/quarto-types/README.md @@ -0,0 +1,100 @@ +# @quarto/types + +TypeScript type definitions for developing Quarto execution engines. + +## Installation + +The goal in a couple of releases is for you to be able to do + +```bash +npm install @quarto/types +``` + +But this package is not published yet, because the interfaces are still in flux. + +Instead, build the package and copy dist/index.d.ts to types/quarto-types.d.ts in your engine repo. + +```bash +npm run build +``` + +## Usage + +This package provides TypeScript type definitions for implementing custom execution engines for Quarto. + +```typescript +import { ExecutionEngine, EngineProjectContext } from "@quarto/types"; + +export const customEngine: ExecutionEngine = { + name: "custom", + defaultExt: ".qmd", + + // Implement required methods... + + target: ( + file: string, + quiet: boolean | undefined, + markdown: MappedString | undefined, + project: EngineProjectContext // Using the restricted context interface + ) => { + // Implementation... + }, +}; +``` + +## Core Interfaces + +### ExecutionEngineDiscovery + +Interface for implementing a Quarto execution engine discovery, responsible for determining which engine should handle a file and launching engine instances. + +### ExecutionEngineInstance + +Interface for a launched execution engine that can execute documents within a project context. + +### EngineProjectContext + +Restricted version of Quarto's ProjectContext that only exposes functionality needed by execution engines. + +## Type Simplifications + +This package is designed to be a standalone, lightweight type library for external engine development. To maintain this independence, some internal Quarto types are intentionally simplified: + +### Simplified types with omitted fields + +- **`RenderOptions`**: The internal Quarto version includes a `services: RenderServices` field, which provides access to temp file context, extension context, and notebook context. This field has been omitted as it requires pulling in large portions of Quarto's internal type system. All other fields are included. See [src/command/render/types.ts](https://github.com/quarto-dev/quarto-cli/blob/main/src/command/render/types.ts#L29-L42) for the full type. + +### Simplified to `Record` or index signatures + +- **`Format.render`**: The full internal type is `FormatRender` with 100+ lines of specific rendering options including brand configuration and CSS handling. See [src/config/types.ts](https://github.com/quarto-dev/quarto-cli/blob/main/src/config/types.ts#L463-L525). + +- **`Format.execute`**: The full internal type is `FormatExecute` with specific execution options. See [src/config/types.ts](https://github.com/quarto-dev/quarto-cli/blob/main/src/config/types.ts#L527-L561). + +- **`Format.pandoc`**: The full internal type is `FormatPandoc` with 80+ lines of pandoc-specific options. Simplified to `{ to?: string; [key: string]: unknown }` preserving only the most commonly accessed `to` property. See [src/config/types.ts](https://github.com/quarto-dev/quarto-cli/blob/main/src/config/types.ts#L563-L646). + +When accessing properties from these records, use type assertions as needed: + +```typescript +const figFormat = options.format.execute["fig-format"] as string | undefined; +const keepHidden = options.format.render?.["keep-hidden"] as + | boolean + | undefined; +const writer = options.format.pandoc.to; // Type-safe access to 'to' +const standalone = options.format.pandoc["standalone"] as boolean | undefined; +``` + +### Omitted optional functions + +The full internal `Format` interface includes several optional functions that are used internally by Quarto but are not needed by external engines: + +- **`mergeAdditionalFormats`**: Internal format merging logic +- **`resolveFormat`**: Format resolution and normalization +- **`formatExtras`**: Compute format-specific extras (requires `RenderServices` and `ProjectContext`) +- **`formatPreviewFile`**: Preview file name transformation +- **`extensions`**: Format-specific extension configuration + +These functions require deep integration with Quarto's internal systems and are not exposed to external engines. See [src/config/types.ts](https://github.com/quarto-dev/quarto-cli/blob/main/src/config/types.ts#L420-L456) for the full `Format` interface. + +## License + +MIT diff --git a/packages/quarto-types/dist/index.d.ts b/packages/quarto-types/dist/index.d.ts new file mode 100644 index 00000000000..c8bb296ac1f --- /dev/null +++ b/packages/quarto-types/dist/index.d.ts @@ -0,0 +1,1671 @@ +// Generated by dts-bundle-generator v9.5.1 + +/** + * Core text manipulation types for Quarto + */ +/** + * Represents a range within a string + */ +interface Range$1 { + start: number; + end: number; +} +/** + * A string with source mapping information + */ +export interface MappedString { + /** + * The text content + */ + readonly value: string; + /** + * Optional filename where the content originated + */ + readonly fileName?: string; + /** + * Maps positions in this string back to positions in the original source + * @param index Position in the current string + * @param closest Whether to find the closest mapping if exact is not available + */ + readonly map: (index: number, closest?: boolean) => StringMapResult; +} +/** + * Result of mapping a position in a mapped string + */ +export type StringMapResult = { + /** + * Position in the original source + */ + index: number; + /** + * Reference to the original mapped string + */ + originalString: MappedString; +} | undefined; +/** + * String that may be mapped or unmapped + */ +export type EitherString = string | MappedString; +/** + * Basic metadata types used across Quarto + */ +/** + * Generic metadata key-value store + */ +export type Metadata = { + [key: string]: unknown; +}; +/** + * Valid format identifier keys + */ +export type FormatIdentifierKey = "base-format" | "target-format" | "display-name" | "extension-name"; +/** + * Format identifier information + */ +export type FormatIdentifier = { + [K in FormatIdentifierKey]?: string; +}; +/** + * Format language/localization strings + */ +export interface FormatLanguage { + [key: string]: string | undefined; +} +/** + * Complete Format type for engine interfaces + */ +export interface Format { + /** + * Format identifier + */ + identifier: FormatIdentifier; + /** + * Format language/localization strings + */ + language: FormatLanguage; + /** + * Document metadata + */ + metadata: Metadata; + /** + * Format rendering options + */ + render: Record; + /** + * Format execution options + */ + execute: Record; + /** + * Format pandoc options + */ + pandoc: { + to?: string; + [key: string]: unknown; + }; +} +/** + * External engine interfaces for Quarto + */ +/** + * Represents an external engine specified in a project + */ +export interface ExternalEngine { + /** + * Path to the engine implementation + */ + path: string; +} +/** + * Information about a file being processed + */ +export interface FileInformation { + /** + * Full markdown content after expanding includes + */ + fullMarkdown?: MappedString; + /** + * Map of file inclusions + */ + includeMap?: { + source: string; + target: string; + }[]; + /** + * The launched execution engine for this file + */ + engine?: ExecutionEngineInstance; + /** + * The execution target for this file + */ + target?: ExecutionTarget; + /** + * Document metadata + */ + metadata?: Metadata; +} +/** + * A restricted version of ProjectContext that only exposes + * functionality needed by execution engines. + */ +export interface EngineProjectContext { + /** + * Base directory of the project + */ + dir: string; + /** + * Flag indicating if project consists of a single file + */ + isSingleFile: boolean; + /** + * Config object containing project configuration + * Used primarily for config?.engines access + */ + config?: { + engines?: (string | ExternalEngine)[]; + project?: { + outputDir?: string; + }; + }; + /** + * For file information cache management + * Used for the transient notebook tracking in Jupyter + */ + fileInformationCache: Map; + /** + * Get the output directory for the project + * + * @returns Path to output directory + */ + getOutputDirectory: () => string; + /** + * Resolves full markdown content for a file, including expanding includes + * + * @param engine - The execution engine + * @param file - Path to the file + * @param markdown - Optional existing markdown content + * @param force - Whether to force re-resolution even if cached + * @returns Promise resolving to mapped markdown string + */ + resolveFullMarkdownForFile: (engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean) => Promise; +} +/** + * Minimal type definitions for CLI commands + */ +export interface Command { + command(name: string, description?: string): Command; + description(description: string): Command; + action(fn: (...args: any[]) => void | Promise): Command; + arguments(args: string): Command; + option(flags: string, description: string, options?: any): Command; +} +/** + * Cell type from breaking Quarto markdown + */ +export interface QuartoMdCell { + id?: string; + cell_type: { + language: string; + } | "markdown" | "raw"; + options?: Record; + source: MappedString; + sourceVerbatim: MappedString; + sourceWithYaml?: MappedString; + sourceOffset: number; + sourceStartLine: number; + cellStartLine: number; +} +/** + * Result from breaking Quarto markdown + */ +export interface QuartoMdChunks { + cells: QuartoMdCell[]; +} +/** + * A partitioned markdown document + */ +export interface PartitionedMarkdown { + /** YAML frontmatter as parsed metadata */ + yaml?: Metadata; + /** Text of the first heading */ + headingText?: string; + /** Attributes of the first heading */ + headingAttr?: { + id: string; + classes: string[]; + keyvalue: Array<[ + string, + string + ]>; + }; + /** Whether the document contains references */ + containsRefs: boolean; + /** Complete markdown content */ + markdown: string; + /** Markdown without YAML frontmatter */ + srcMarkdownNoYaml: string; +} +/** + * Pandoc types for Quarto + */ +/** + * Valid Pandoc include locations + */ +export type PandocIncludeLocation = "include-in-header" | "include-before-body" | "include-after-body"; +/** + * Pandoc includes for headers, body, etc. + * Mapped type that allows any of the valid include locations + */ +export type PandocIncludes = { + [K in PandocIncludeLocation]?: string[]; +}; +/** + * Options for execution + */ +export interface ExecuteOptions { + /** The execution target */ + target: ExecutionTarget; + /** Format to render to */ + format: Format; + /** Directory for resources */ + resourceDir: string; + /** Directory for temporary files */ + tempDir: string; + /** Whether to include dependencies */ + dependencies: boolean; + /** Project directory if applicable */ + projectDir?: string; + /** Library directory */ + libDir?: string; + /** Current working directory */ + cwd: string; + /** Parameters passed to document */ + params?: { + [key: string]: unknown; + }; + /** Whether to suppress output */ + quiet?: boolean; + /** Whether execution is for preview server */ + previewServer?: boolean; + /** List of languages handled by cell language handlers */ + handledLanguages: string[]; + /** Project context */ + project: EngineProjectContext; +} +/** + * Result of execution + */ +export interface ExecuteResult { + /** Resulting markdown content */ + markdown: string; + /** Supporting files */ + supporting: string[]; + /** Filter scripts */ + filters: string[]; + /** Updated metadata */ + metadata?: Metadata; + /** Pandoc options */ + pandoc?: Record; + /** Pandoc includes */ + includes?: PandocIncludes; + /** Engine name */ + engine?: string; + /** Engine-specific dependencies */ + engineDependencies?: Record>; + /** Content to preserve during processing */ + preserve?: Record; + /** Whether post-processing is required */ + postProcess?: boolean; + /** Additional resource files */ + resourceFiles?: string[]; +} +/** + * Options for retrieving dependencies + */ +export interface DependenciesOptions { + /** The execution target */ + target: ExecutionTarget; + /** Format to render to */ + format: Format; + /** Output file path */ + output: string; + /** Directory for resources */ + resourceDir: string; + /** Directory for temporary files */ + tempDir: string; + /** Project directory if applicable */ + projectDir?: string; + /** Library directory */ + libDir?: string; + /** Dependencies to include */ + dependencies?: Array; + /** Whether to suppress output */ + quiet?: boolean; +} +/** + * Result of retrieving dependencies + */ +export interface DependenciesResult { + /** Pandoc includes */ + includes: PandocIncludes; +} +/** + * Options for post-processing + */ +export interface PostProcessOptions { + /** The execution engine */ + engine: ExecutionEngineInstance; + /** The execution target */ + target: ExecutionTarget; + /** Format to render to */ + format: Format; + /** Output file path */ + output: string; + /** Directory for temporary files */ + tempDir: string; + /** Project directory if applicable */ + projectDir?: string; + /** Content to preserve during processing */ + preserve?: Record; + /** Whether to suppress output */ + quiet?: boolean; +} +/** + * Options for running the engine + */ +export interface RunOptions { + /** Input file path */ + input: string; + /** Whether to render */ + render: boolean; + /** Whether to open in browser */ + browser: boolean; + /** Directory for temporary files */ + tempDir: string; + /** Whether to reload */ + reload?: boolean; + /** Target format */ + format?: string; + /** Project directory if applicable */ + projectDir?: string; + /** Port for server */ + port?: number; + /** Host for server */ + host?: string; + /** Whether to suppress output */ + quiet?: boolean; + /** Callback when ready */ + onReady?: () => Promise; +} +/** + * Jupyter notebook kernelspec + */ +export interface JupyterKernelspec { + name: string; + language: string; + display_name: string; + path?: string; +} +/** + * Jupyter language info + */ +export type JupyterLanguageInfo = { + name: string; + codemirror_mode?: string | Record; + file_extension?: string; + mimetype?: string; + pygments_lexer?: string; +}; +/** + * Jupyter notebook cell metadata + */ +export interface JupyterCellMetadata { + [key: string]: unknown; +} +/** + * Jupyter notebook output + */ +export interface JupyterOutput { + output_type: string; + metadata?: { + [mimetype: string]: Record; + }; + execution_count?: number; + [key: string]: unknown; +} +/** + * Jupyter output stream + */ +export interface JupyterOutputStream extends JupyterOutput { + name: "stdout" | "stderr"; + text: string[] | string; +} +/** + * Jupyter output display data + */ +export interface JupyterOutputDisplayData extends JupyterOutput { + data: { + [mimeType: string]: unknown; + }; + metadata: { + [mimeType: string]: Record; + }; + noCaption?: boolean; +} +/** + * Jupyter output figure options + */ +export interface JupyterOutputFigureOptions { + [key: string]: unknown; +} +/** + * Jupyter cell options + */ +export interface JupyterCellOptions extends JupyterOutputFigureOptions { + [key: string]: unknown; +} +/** + * Jupyter cell with options + */ +export interface JupyterCellWithOptions extends JupyterCell { + id: string; + options: JupyterCellOptions; + optionsSource: string[]; +} +/** + * Jupyter notebook cell + */ +export interface JupyterCell { + cell_type: "markdown" | "code" | "raw"; + metadata: JupyterCellMetadata; + source: string | string[]; + id?: string; + execution_count?: number | null; + outputs?: JupyterOutput[]; + attachments?: { + [filename: string]: { + [mimetype: string]: string | string[]; + }; + }; +} +/** + * Jupyter user expression + */ +export interface JupyterUserExpression { + expression: string; + result: JupyterUserExpressionResult; +} +/** + * Jupyter user expression result + */ +export interface JupyterUserExpressionResult extends JupyterCellOutputData { + metadata: Metadata; + status: string; +} +/** + * Jupyter cell output data + */ +export interface JupyterCellOutputData { + data: { + [mimeType: string]: unknown; + }; +} +/** + * Jupyter cell slideshow + */ +export interface JupyterCellSlideshow { + [key: string]: string; +} +/** + * Jupyter notebook structure + */ +export interface JupyterNotebook { + cells: JupyterCell[]; + metadata: { + kernelspec: JupyterKernelspec; + widgets?: Record; + language_info?: JupyterLanguageInfo; + [key: string]: unknown; + }; + nbformat: number; + nbformat_minor: number; +} +/** + * Asset paths for Jupyter notebook output + */ +export interface JupyterNotebookAssetPaths { + base_dir: string; + files_dir: string; + figures_dir: string; + supporting_dir: string; +} +/** + * Format execution options + */ +export interface FormatExecute { + [key: string]: unknown; +} +/** + * Format render options + */ +export interface FormatRender { + [key: string]: unknown; +} +/** + * Format pandoc options + */ +export interface FormatPandoc { + to?: string; + [key: string]: unknown; +} +/** + * Jupyter widget state information + */ +export interface JupyterWidgetsState { + state: Record; + version_major: number; + version_minor: number; +} +/** + * Widget dependencies from Jupyter notebook + */ +export interface JupyterWidgetDependencies { + jsWidgets: boolean; + jupyterWidgets: boolean; + htmlLibraries: string[]; + widgetsState?: JupyterWidgetsState; +} +/** + * Jupyter capabilities + */ +export interface JupyterCapabilities { + versionMajor: number; + versionMinor: number; + versionPatch: number; + versionStr: string; + execPrefix: string; + executable: string; + conda: boolean; + pyLauncher: boolean; + jupyter_core: string | null; + nbformat: string | null; + nbclient: string | null; + ipykernel: string | null; + shiny: string | null; +} +/** + * Extended Jupyter capabilities + */ +export interface JupyterCapabilitiesEx extends JupyterCapabilities { + kernels?: JupyterKernelspec[]; + venv?: boolean; +} +/** + * Cell output with markdown + */ +export interface JupyterCellOutput { + id: string; + markdown: string; + metadata: Record; + options: Record; +} +/** + * Options for converting Jupyter notebook to markdown + */ +export interface JupyterToMarkdownOptions { + executeOptions: ExecuteOptions; + language: string; + assets: JupyterNotebookAssetPaths; + execute: FormatExecute; + keepHidden?: boolean; + toHtml: boolean; + toLatex: boolean; + toMarkdown: boolean; + toIpynb: boolean; + toPresentation: boolean; + figFormat?: string; + figDpi?: number; + figPos?: string; + preserveCellMetadata?: boolean; + preserveCodeCellYaml?: boolean; + outputPrefix?: string; + fixups?: string | unknown[]; +} +/** + * Options for converting Quarto markdown to Jupyter notebook + */ +export interface QuartoMdToJupyterOptions { + title?: string; + format?: Format; +} +/** + * Result of converting Jupyter notebook to markdown + */ +export interface JupyterToMarkdownResult { + cellOutputs: JupyterCellOutput[]; + notebookOutputs?: { + prefix?: string; + suffix?: string; + }; + dependencies?: JupyterWidgetDependencies; + htmlPreserve?: Record; + pandoc?: Record; +} +/** + * System and process types for Quarto + */ +/** + * Process execution result + */ +export interface ProcessResult { + success: boolean; + code: number; + stdout?: string; + stderr?: string; +} +/** + * Process execution options + */ +export type ExecProcessOptions = { + cmd: string; + args?: string[]; + cwd?: string; + env?: Record; + stdout?: "piped" | "inherit" | "null"; + stderr?: "piped" | "inherit" | "null"; + stdin?: "piped" | "inherit" | "null"; +}; +/** + * Preview server interface + */ +export interface PreviewServer { + /** Start the server and return the URL to browse to */ + start: () => Promise; + /** Run the server (blocking) */ + serve: () => Promise; + /** Stop the server */ + stop: () => Promise; +} +/** + * Temporary context for managing temporary files and directories + */ +export interface TempContext { + /** Base directory for temporary files */ + baseDir: string; + /** Create a temporary file from string content and return its path */ + createFileFromString: (content: string, options?: { + suffix?: string; + prefix?: string; + dir?: string; + }) => string; + /** Create a temporary file and return its path */ + createFile: (options?: { + suffix?: string; + prefix?: string; + dir?: string; + }) => string; + /** Create a temporary directory and return its path */ + createDir: (options?: { + suffix?: string; + prefix?: string; + dir?: string; + }) => string; + /** Clean up all temporary resources */ + cleanup: () => void; + /** Register a cleanup handler */ + onCleanup: (handler: VoidFunction) => void; +} +/** + * Console and UI types for Quarto + */ +/** + * Options for displaying a spinner in the console + */ +export interface SpinnerOptions { + /** Message to display with the spinner (or function that returns message) */ + message: string | (() => string); + /** Message to display when done, or false to hide, or true to keep original message */ + doneMessage?: string | boolean; +} +/** + * Options for log messages (info, warning, error) + */ +export interface LogMessageOptions { + /** Whether to add a trailing newline (default: true) */ + newline?: boolean; + /** Apply bold formatting */ + bold?: boolean; + /** Apply dim/gray formatting */ + dim?: boolean; + /** Number of spaces to indent each line */ + indent?: number; + /** Custom format function applied to each line */ + format?: (line: string) => string; + /** Enable color formatting (default: true) */ + colorize?: boolean; + /** Remove ANSI escape codes from output */ + stripAnsiCode?: boolean; +} +/** + * Render services available during check operations + * Simplified version containing only what check operations need + */ +export interface CheckRenderServices { + /** Temporary file management */ + temp: TempContext; + /** Placeholder for extension context (not used by check) */ + extension?: unknown; + /** Placeholder for notebook context (not used by check) */ + notebook?: unknown; +} +/** + * Render services with cleanup capability + */ +export interface CheckRenderServiceWithLifetime extends CheckRenderServices { + /** Cleanup function to release resources */ + cleanup: () => void; + /** Optional lifetime management */ + lifetime?: unknown; +} +/** + * Configuration for check command operations + * Used by engines implementing checkInstallation() + */ +export interface CheckConfiguration { + /** Whether to run strict checks */ + strict: boolean; + /** Target being checked (e.g., "jupyter", "knitr", "all") */ + target: string; + /** Optional output file path for JSON results */ + output: string | undefined; + /** Render services (primarily for temp file management) */ + services: CheckRenderServiceWithLifetime; + /** JSON result object (undefined if not outputting JSON) */ + jsonResult: Record | undefined; +} +/** + * Options for test-rendering a document during check operations + */ +export interface CheckRenderOptions { + /** Markdown content to render */ + content: string; + /** Language identifier (e.g., "python", "r", "julia") */ + language: string; + /** Render services for temp file management */ + services: CheckRenderServiceWithLifetime; +} +/** + * Result of a check render operation + */ +export interface CheckRenderResult { + /** Whether the render succeeded */ + success: boolean; + /** Error if render failed */ + error?: Error; +} +/** + * Global Quarto API interface + */ +export interface QuartoAPI { + /** + * Markdown processing utilities using regex patterns + */ + markdownRegex: { + /** + * Extract and parse YAML frontmatter from markdown + * + * @param markdown - Markdown content with YAML frontmatter + * @returns Parsed metadata object + */ + extractYaml: (markdown: string) => Metadata; + /** + * Split markdown into components (YAML, heading, content) + * + * @param markdown - Markdown content + * @returns Partitioned markdown with yaml, heading, and content sections + */ + partition: (markdown: string) => PartitionedMarkdown; + /** + * Extract programming languages from code blocks + * + * @param markdown - Markdown content to analyze + * @returns Set of language identifiers found in fenced code blocks + */ + getLanguages: (markdown: string) => Set; + /** + * Break Quarto markdown into cells + * + * @param src - Markdown string or MappedString + * @param validate - Whether to validate cells (default: false) + * @param lenient - Whether to use lenient parsing (default: false) + * @returns Promise resolving to chunks with cells + */ + breakQuartoMd: (src: string | MappedString, validate?: boolean, lenient?: boolean) => Promise; + }; + /** + * MappedString utilities for source location tracking + */ + mappedString: { + /** + * Create a mapped string from plain text + * + * @param text - Text content + * @param fileName - Optional filename for source tracking + * @returns MappedString with identity mapping + */ + fromString: (text: string, fileName?: string) => MappedString; + /** + * Read a file and create a mapped string + * + * @param path - Path to the file to read + * @returns MappedString with file content and source information + */ + fromFile: (path: string) => MappedString; + /** + * Normalize newlines while preserving source mapping + * + * @param markdown - MappedString to normalize + * @returns MappedString with \r\n converted to \n + */ + normalizeNewlines: (markdown: MappedString) => MappedString; + /** + * Split a MappedString into lines + * + * @param str - MappedString to split + * @param keepNewLines - Whether to keep newline characters (default: false) + * @returns Array of MappedStrings, one per line + */ + splitLines: (str: MappedString, keepNewLines?: boolean) => MappedString[]; + /** + * Convert character offset to line/column coordinates + * + * @param str - MappedString to query + * @param offset - Character offset to convert + * @returns Line and column numbers (1-indexed) + */ + indexToLineCol: (str: MappedString, offset: number) => { + line: number; + column: number; + }; + }; + /** + * Jupyter notebook integration utilities + */ + jupyter: { + /** + * Check if a file is a Jupyter notebook + * + * @param file - File path to check + * @returns True if file is a Jupyter notebook (.ipynb) + */ + isJupyterNotebook: (file: string) => boolean; + /** + * Check if a file is a Jupyter percent script + * + * @param file - File path to check + * @param extensions - Optional array of extensions to check (default: ['.py', '.jl', '.r']) + * @returns True if file is a Jupyter percent script + */ + isPercentScript: (file: string, extensions?: string[]) => boolean; + /** + * List of Jupyter notebook file extensions + */ + notebookExtensions: string[]; + /** + * Extract kernelspec from markdown content + * + * @param markdown - Markdown content with YAML frontmatter + * @returns Extracted kernelspec or undefined if not found + */ + kernelspecFromMarkdown: (markdown: string) => JupyterKernelspec | undefined; + /** + * Find a Jupyter kernelspec that supports a given language + * + * @param language - Language to find kernel for (e.g., "python", "julia", "r") + * @returns Promise resolving to matching kernelspec or undefined if not found + */ + kernelspecForLanguage: (language: string) => Promise; + /** + * Convert JSON string to Jupyter notebook + * + * @param nbJson - JSON string containing notebook data + * @returns Parsed Jupyter notebook object + */ + fromJSON: (nbJson: string) => JupyterNotebook; + /** + * Convert a Jupyter notebook to markdown + * + * @param nb - Jupyter notebook to convert + * @param options - Conversion options + * @returns Converted markdown with cell outputs and dependencies + */ + toMarkdown: (nb: JupyterNotebook, options: JupyterToMarkdownOptions) => Promise; + /** + * Convert Jupyter notebook file to markdown + * + * @param file - Path to notebook file + * @param format - Optional format to use for conversion + * @returns Markdown content extracted from notebook + */ + markdownFromNotebookFile: (file: string, format?: Format) => string; + /** + * Convert Jupyter notebook JSON to markdown + * + * @param nbJson - Notebook JSON string + * @returns Markdown content extracted from notebook + */ + markdownFromNotebookJSON: (nbJson: string) => string; + /** + * Convert a Jupyter percent script to markdown + * + * @param file - Path to the percent script file + * @returns Converted markdown content + */ + percentScriptToMarkdown: (file: string) => string; + /** + * Convert Quarto markdown to Jupyter notebook + * + * @param markdown - Markdown content with YAML frontmatter + * @param includeIds - Whether to include cell IDs + * @param project - Optional project context for config merging + * @returns Promise resolving to Jupyter notebook generated from markdown + */ + quartoMdToJupyter: (markdown: string, includeIds: boolean, project?: EngineProjectContext) => Promise; + /** + * Apply filters to a Jupyter notebook + * + * @param nb - Jupyter notebook to filter + * @param filters - Array of filter strings to apply + * @returns Filtered notebook + */ + notebookFiltered: (nb: JupyterNotebook, filters: string[]) => JupyterNotebook; + /** + * Create asset paths for Jupyter notebook output + * + * @param input - Input file path + * @param to - Output format (optional) + * @returns Asset paths for files, figures, and supporting directories + */ + assets: (input: string, to?: string) => JupyterNotebookAssetPaths; + /** + * Generate Pandoc includes for Jupyter widget dependencies + * + * @param deps - Widget dependencies + * @param tempDir - Temporary directory for includes + * @returns Pandoc includes structure + */ + widgetDependencyIncludes: (deps: JupyterWidgetDependencies, tempDir: string) => PandocIncludes; + /** + * Convert result dependencies to Pandoc includes + * + * @param tempDir - Temporary directory for includes + * @param dependencies - Widget dependencies from execution result + * @returns Pandoc includes structure + */ + resultIncludes: (tempDir: string, dependencies?: JupyterWidgetDependencies) => PandocIncludes; + /** + * Extract engine dependencies from result dependencies + * + * @param dependencies - Widget dependencies from execution result + * @returns Array of widget dependencies or undefined + */ + resultEngineDependencies: (dependencies?: JupyterWidgetDependencies) => Array | undefined; + /** + * Get Python executable command + * + * @param python - Optional Python executable override + * @returns Promise resolving to array of command line arguments + */ + pythonExec: (python?: string) => Promise; + /** + * Get Jupyter capabilities + * + * @param python - Optional Python executable override + * @param jupyter - Optional Jupyter executable override + * @returns Promise resolving to Jupyter capabilities + */ + capabilities: (python?: string, jupyter?: string) => Promise; + /** + * Generate formatted capabilities message with version, path, jupyter version, and kernels + * + * @param caps - Jupyter capabilities + * @param indent - Optional indentation string (default: "") + * @returns Promise resolving to formatted capabilities message with indentation + */ + capabilitiesMessage: (caps: JupyterCapabilities, indent?: string) => Promise; + /** + * Generate capabilities with kernels list for JSON output + * + * Enriches capabilities with full kernels array for structured output. + * Used by check command JSON output. + * + * @param caps - Jupyter capabilities + * @returns Promise resolving to capabilities with kernels array + */ + capabilitiesJson: (caps: JupyterCapabilities) => Promise; + /** + * Generate Jupyter installation instructions + * + * @param caps - Jupyter capabilities (to determine conda vs pip) + * @param indent - Optional indentation string (default: "") + * @returns Installation message with appropriate package manager + */ + installationMessage: (caps: JupyterCapabilities, indent?: string) => string; + /** + * Check for and generate warning about unactivated Python environments + * + * @param caps - Jupyter capabilities (to check if python is from venv) + * @param indent - Optional indentation string (default: "") + * @returns Warning message if unactivated env found, undefined otherwise + */ + unactivatedEnvMessage: (caps: JupyterCapabilities, indent?: string) => string | undefined; + /** + * Generate Python installation instructions + * + * @param indent - Optional indentation string (default: "") + * @returns Installation message + */ + pythonInstallationMessage: (indent?: string) => string; + }; + /** + * Format detection utilities + */ + format: { + /** + * Check if format is HTML compatible + * + * @param format - Format to check + * @returns True if format is HTML compatible + */ + isHtmlCompatible: (format: Format) => boolean; + /** + * Check if format is Jupyter notebook output + * + * @param format - Format pandoc options to check + * @returns True if format is ipynb + */ + isIpynbOutput: (format: FormatPandoc) => boolean; + /** + * Check if format is LaTeX output + * + * @param format - Format pandoc options to check + * @returns True if format is LaTeX (pdf, latex, or beamer) + */ + isLatexOutput: (format: FormatPandoc) => boolean; + /** + * Check if format is markdown output + * + * @param format - Format to check + * @param flavors - Optional array of markdown flavors to check + * @returns True if format is markdown + */ + isMarkdownOutput: (format: Format, flavors?: string[]) => boolean; + /** + * Check if format is presentation output + * + * @param format - Format pandoc options to check + * @returns True if format is a presentation format + */ + isPresentationOutput: (format: FormatPandoc) => boolean; + /** + * Check if format is HTML dashboard output + * + * @param format - Optional format string to check + * @returns True if format is a dashboard + */ + isHtmlDashboardOutput: (format?: string) => boolean; + /** + * Check if format is a Shiny server document + * + * @param format - Optional format to check + * @returns True if format has server: shiny + */ + isServerShiny: (format?: Format) => boolean; + /** + * Check if format is a Python Shiny server document with Jupyter engine + * + * @param format - Format to check + * @param engine - Execution engine name + * @returns True if format is server: shiny with jupyter engine + */ + isServerShinyPython: (format: Format, engine: string | undefined) => boolean; + }; + /** + * Path manipulation utilities + */ + path: { + /** + * Convert path to absolute form with platform-specific handling + * + * Handles URL to file path conversion, makes relative paths absolute, + * normalizes the path, and uppercases Windows drive letters. + * + * @param path - Path string or URL to make absolute + * @returns Absolute, normalized path with Windows-specific fixes + */ + absolute: (path: string | URL) => string; + /** + * Convert path to use forward slashes + * + * @param path - Path with backslashes or forward slashes + * @returns Path with only forward slashes + */ + toForwardSlashes: (path: string) => string; + /** + * Get platform-specific runtime directory for Quarto + * + * Returns the appropriate runtime/state directory based on platform: + * - macOS: ~/Library/Caches/quarto/{subdir} + * - Windows: %LOCALAPPDATA%/quarto/{subdir} + * - Linux: $XDG_RUNTIME_DIR or ~/.local/share/quarto/{subdir} + * + * Automatically creates the directory if it doesn't exist. + * + * @param subdir - Optional subdirectory within the runtime directory + * @returns Absolute path to the runtime directory + */ + runtime: (subdir?: string) => string; + /** + * Get path to a Quarto resource file + * + * Returns the path to bundled resource files in Quarto's share directory. + * Can accept multiple path segments that will be joined. + * + * @param parts - Path segments to join (e.g., "julia", "script.jl") + * @returns Absolute path to the resource file + */ + resource: (...parts: string[]) => string; + /** + * Split a file path into directory and stem (filename without extension) + * + * @param file - File path to split + * @returns Tuple of [directory, filename stem] + */ + dirAndStem: (file: string) => [ + string, + string + ]; + /** + * Check if a file is a Quarto markdown file (.qmd) + * + * @param file - File path to check + * @returns True if file has .qmd extension + */ + isQmdFile: (file: string) => boolean; + /** + * Get the standard supporting files directory name for an input file + * + * Returns the conventional `{stem}_files` directory name where Quarto + * stores supporting resources (images, data files, etc.) for a document. + * + * @param input - Input file path + * @returns Directory name in format `{stem}_files` + * @example + * ```typescript + * inputFilesDir("/path/to/document.qmd") // returns "document_files" + * ``` + */ + inputFilesDir: (input: string) => string; + /** + * Get platform-specific user data directory for Quarto + * + * Returns the appropriate data directory based on platform: + * - macOS: ~/Library/Application Support/quarto/{subdir} + * - Windows: %LOCALAPPDATA%/quarto/{subdir} (or %APPDATA% if roaming) + * - Linux: $XDG_DATA_HOME/quarto/{subdir} or ~/.local/share/quarto/{subdir} + * + * Automatically creates the directory if it doesn't exist. + * + * @param subdir - Optional subdirectory within the data directory + * @param roaming - Optional flag for Windows roaming profile (default: false) + * @returns Absolute path to the data directory + */ + dataDir: (subdir?: string, roaming?: boolean) => string; + }; + /** + * System and environment detection utilities + */ + system: { + /** + * Check if running in an interactive session + * + * Detects if Quarto is running in an interactive environment such as: + * - RStudio IDE + * - VS Code output channel + * - Interactive terminal (TTY) + * + * @returns True if running in an interactive environment + */ + isInteractiveSession: () => boolean; + /** + * Check if running in a CI/CD environment + * + * Detects if Quarto is running in a continuous integration environment by checking + * for common CI environment variables across 40+ CI/CD platforms including: + * - GitHub Actions + * - GitLab CI + * - Jenkins + * - CircleCI + * - Travis CI + * - And many more + * + * @returns True if running in a CI/CD environment + */ + runningInCI: () => boolean; + /** + * Execute an external process + * + * @param options - Process execution options + * @param stdin - Optional stdin content + * @param mergeOutput - Optional output stream merging + * @param stderrFilter - Optional stderr filter function + * @param respectStreams - Optional flag to respect stream separation + * @param timeout - Optional timeout in milliseconds + * @returns Promise resolving to process result + */ + execProcess: (options: ExecProcessOptions, stdin?: string, mergeOutput?: "stderr>stdout" | "stdout>stderr", stderrFilter?: (output: string) => string, respectStreams?: boolean, timeout?: number) => Promise; + /** + * Run an external preview server + * + * @param options - Server options including command and ready pattern + * @returns PreviewServer instance for managing the server lifecycle + */ + runExternalPreviewServer: (options: { + cmd: string[]; + readyPattern: RegExp; + env?: Record; + cwd?: string; + }) => PreviewServer; + /** + * Register a cleanup handler to run on process exit + * + * @param handler - Function to run on cleanup (can be async) + */ + onCleanup: (handler: () => void | Promise) => void; + /** + * Get global temporary context for managing temporary files and directories + * + * @returns Global TempContext instance + */ + tempContext: () => TempContext; + /** + * Test-render a document for validation during check operations + * + * Creates a temporary file with the provided content, renders it with + * appropriate engine settings, and returns success/failure status. + * Used by checkInstallation implementations to verify engines work. + * + * @param options - Check render options with content and services + * @returns Promise resolving to render result with success status + */ + checkRender: (options: CheckRenderOptions) => Promise; + }; + /** + * Text processing utilities + */ + text: { + /** + * Split text into lines + * + * @param text - Text to split + * @returns Array of lines + */ + lines: (text: string) => string[]; + /** + * Trim empty lines from array + * + * @param lines - Array of lines + * @param trim - Which empty lines to trim (default: "all") + * @returns Trimmed array of lines + */ + trimEmptyLines: (lines: string[], trim?: "leading" | "trailing" | "all") => string[]; + /** + * Restore preserved HTML in post-processing + * + * @param options - Post-processing options including output path and preserve map + */ + postProcessRestorePreservedHtml: (options: PostProcessOptions) => void; + /** + * Convert line/column position to character index + * + * @param text - Text to search in + * @returns Function that converts position to index + */ + lineColToIndex: (text: string) => (position: { + line: number; + column: number; + }) => number; + /** + * Create a handler for executing inline code + * + * @param language - Programming language identifier + * @param exec - Function to execute code expression + * @returns Handler function that processes code strings + */ + executeInlineCodeHandler: (language: string, exec: (expr: string) => string | undefined) => (code: string) => string; + /** + * Convert metadata object to YAML text + * + * @param metadata - Metadata object to convert + * @returns YAML formatted string + */ + asYamlText: (metadata: Metadata) => string; + }; + /** + * Console and UI utilities + */ + console: { + /** + * Execute an async operation with a spinner displayed in the console + * + * Shows a spinner with a message while the operation runs, then displays + * a completion message when done. + * + * @param options - Spinner display options + * @param fn - Async function to execute + * @returns Promise resolving to the function's return value + */ + withSpinner: (options: SpinnerOptions, fn: () => Promise) => Promise; + /** + * Display a completion message in the console + * + * Shows a message with a checkmark indicator (or equivalent) to indicate + * successful completion of an operation. + * + * @param message - Message to display + */ + completeMessage: (message: string) => void; + /** + * Log an informational message to stderr + * + * Writes an info-level message to stderr using Quarto's custom logging handler. + * Supports formatting options like indentation, bold text, and color control. + * + * @param message - Message to log + * @param options - Optional formatting options + */ + info: (message: string, options?: LogMessageOptions) => void; + /** + * Log a warning message to stderr + * + * Writes a warning-level message to stderr with yellow color and "WARNING:" prefix. + * Uses Quarto's custom logging handler. + * + * @param message - Warning message to log + * @param options - Optional formatting options + */ + warning: (message: string, options?: LogMessageOptions) => void; + /** + * Log an error message to stderr + * + * Writes an error-level message to stderr with bright red color and "ERROR:" prefix. + * Uses Quarto's custom logging handler. + * + * @param message - Error message to log + * @param options - Optional formatting options + */ + error: (message: string, options?: LogMessageOptions) => void; + }; + /** + * Cryptographic utilities + */ + crypto: { + /** + * Generate MD5 hash of content + * + * @param content - String content to hash + * @returns MD5 hash as hexadecimal string + */ + md5Hash: (content: string) => string; + }; +} +/** + * Global Quarto API object + */ +export declare const quartoAPI: QuartoAPI; +/** + * Render flags (extends pandoc flags) + */ +export interface RenderFlags { + outputDir?: string; + siteUrl?: string; + executeDir?: string; + execute?: boolean; + executeCache?: true | false | "refresh"; + executeDaemon?: number; + executeDaemonRestart?: boolean; + executeDebug?: boolean; + useFreezer?: boolean; + metadata?: { + [key: string]: unknown; + }; + pandocMetadata?: { + [key: string]: unknown; + }; + params?: { + [key: string]: unknown; + }; + paramsFile?: string; + clean?: boolean; + debug?: boolean; + quiet?: boolean; + version?: string; + to?: string; + output?: string; + [key: string]: unknown; +} +/** + * Render options (simplified) + * Note: The internal Quarto version includes a 'services' field with + * RenderServices, which has been omitted as it requires internal dependencies. + */ +export interface RenderOptions { + flags?: RenderFlags; + pandocArgs?: string[]; + progress?: boolean; + useFreezer?: boolean; + devServerReload?: boolean; + previewServer?: boolean; + setProjectDir?: boolean; + forceClean?: boolean; + echo?: boolean; + warning?: boolean; + quietPandoc?: boolean; +} +/** + * Result file from rendering + */ +export interface RenderResultFile { + /** Input file path */ + input: string; + /** Markdown content */ + markdown: string; + /** Format used for rendering */ + format: Format; + /** Output file path */ + file: string; + /** Whether this is a transient file */ + isTransient?: boolean; + /** Supporting files generated */ + supporting?: string[]; + /** Resource files */ + resourceFiles: string[]; + /** Whether this is a supplemental file */ + supplemental?: boolean; +} +/** + * Execution target (filename and context) + */ +export interface ExecutionTarget { + /** Original source file */ + source: string; + /** Input file after preprocessing */ + input: string; + /** Markdown content */ + markdown: MappedString; + /** Document metadata */ + metadata: Metadata; + /** Optional target-specific data */ + data?: unknown; +} +/** + * Interface for execution engine discovery + * Responsible for the static aspects of engine discovery (not requiring project context) + */ +export interface ExecutionEngineDiscovery { + /** + * Initialize the engine with the Quarto API (optional) + * May be called multiple times but always with the same QuartoAPI object. + * Engines should store the reference to use throughout their lifecycle. + * + * @param quarto - The Quarto API for accessing utilities + */ + init?: (quarto: QuartoAPI) => void; + /** + * Name of the engine + */ + name: string; + /** + * Default extension for files using this engine + */ + defaultExt: string; + /** + * Generate default YAML for this engine + */ + defaultYaml: (kernel?: string) => string[]; + /** + * Generate default content for this engine + */ + defaultContent: (kernel?: string) => string[]; + /** + * List of file extensions this engine supports + */ + validExtensions: () => string[]; + /** + * Whether this engine can handle the given file + * + * @param file - The file path to check + * @param ext - The file extension + * @returns True if this engine can handle the file + */ + claimsFile: (file: string, ext: string) => boolean; + /** + * Whether this engine can handle the given language + */ + claimsLanguage: (language: string) => boolean; + /** + * Whether this engine supports freezing + */ + canFreeze: boolean; + /** + * Whether this engine generates figures + */ + generatesFigures: boolean; + /** + * Directories to ignore during processing (optional) + */ + ignoreDirs?: () => string[] | undefined; + /** + * Semver range specifying the minimum required Quarto version for this engine + * Examples: ">= 1.6.0", "^1.5.0", "1.*" + * + * When specified, Quarto will check at engine registration time whether the + * current version satisfies this requirement. If not, an error will be thrown. + */ + quartoRequired?: string; + /** + * Populate engine-specific CLI commands (optional) + * Called at module initialization to register commands like 'quarto enginename status' + * + * @param command - The CLI command to populate with subcommands + */ + populateCommand?: (command: Command) => void; + /** + * Check installation and capabilities for this engine (optional) + * Used by `quarto check ` command + * + * Engines implementing this method will automatically be available as targets + * for the check command (e.g., `quarto check jupyter`, `quarto check knitr`). + * + * @param conf - Check configuration with output settings and services + */ + checkInstallation?: (conf: CheckConfiguration) => Promise; + /** + * Launch a dynamic execution engine with project context + * This is called when the engine is needed for execution + * + * @param context The restricted project context + * @returns ExecutionEngineInstance that can execute documents + */ + launch: (context: EngineProjectContext) => ExecutionEngineInstance; +} +/** + * Interface for a launched execution engine + * This represents an engine that has been instantiated with a project context + * and is ready to execute documents + */ +export interface ExecutionEngineInstance { + /** + * Name of the engine + */ + name: string; + /** + * Whether this engine supports freezing + */ + canFreeze: boolean; + /** + * Get the markdown content for a file + */ + markdownForFile(file: string): Promise; + /** + * Create an execution target for the given file + */ + target: (file: string, quiet?: boolean, markdown?: MappedString) => Promise; + /** + * Get a partitioned view of the markdown + */ + partitionedMarkdown: (file: string, format?: Format) => Promise; + /** + * Filter the format based on engine requirements + */ + filterFormat?: (source: string, options: RenderOptions, format: Format) => Format; + /** + * Execute the target + */ + execute: (options: ExecuteOptions) => Promise; + /** + * Handle skipped execution targets + */ + executeTargetSkipped?: (target: ExecutionTarget, format: Format) => void; + /** + * Get dependencies for the target + */ + dependencies: (options: DependenciesOptions) => Promise; + /** + * Post-process the execution result + */ + postprocess: (options: PostProcessOptions) => Promise; + /** + * Whether this engine can keep source for this target + */ + canKeepSource?: (target: ExecutionTarget) => boolean; + /** + * Get a list of intermediate files generated by this engine + */ + intermediateFiles?: (input: string) => string[] | undefined; + /** + * Run the engine (for interactivity) + */ + run?: (options: RunOptions) => Promise; + /** + * Post-render processing + */ + postRender?: (file: RenderResultFile) => Promise; +} + +export { + Range$1 as Range, +}; + +export {}; diff --git a/packages/quarto-types/package-lock.json b/packages/quarto-types/package-lock.json new file mode 100644 index 00000000000..da6c057f7b2 --- /dev/null +++ b/packages/quarto-types/package-lock.json @@ -0,0 +1,259 @@ +{ + "name": "@quarto/types", + "version": "0.1.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "@quarto/types", + "version": "0.1.0", + "license": "MIT", + "devDependencies": { + "@types/node": "^24.9.1", + "dts-bundle-generator": "^9.5.1", + "typescript": "^5.9.3" + } + }, + "node_modules/@types/node": { + "version": "24.9.1", + "resolved": "https://registry.npmjs.org/@types/node/-/node-24.9.1.tgz", + "integrity": "sha512-QoiaXANRkSXK6p0Duvt56W208du4P9Uye9hWLWgGMDTEoKPhuenzNcC4vGUmrNkiOKTlIrBoyNQYNpSwfEZXSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.16.0" + } + }, + "node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/cliui": { + "version": "8.0.1", + "resolved": "https://registry.npmjs.org/cliui/-/cliui-8.0.1.tgz", + "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.1", + "wrap-ansi": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true, + "license": "MIT" + }, + "node_modules/dts-bundle-generator": { + "version": "9.5.1", + "resolved": "https://registry.npmjs.org/dts-bundle-generator/-/dts-bundle-generator-9.5.1.tgz", + "integrity": "sha512-DxpJOb2FNnEyOzMkG11sxO2dmxPjthoVWxfKqWYJ/bI/rT1rvTMktF5EKjAYrRZu6Z6t3NhOUZ0sZ5ZXevOfbA==", + "dev": true, + "license": "MIT", + "dependencies": { + "typescript": ">=5.0.2", + "yargs": "^17.6.0" + }, + "bin": { + "dts-bundle-generator": "dist/bin/dts-bundle-generator.js" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/get-caller-file": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", + "dev": true, + "license": "ISC", + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/require-directory": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/typescript": { + "version": "5.9.3", + "resolved": "https://registry.npmjs.org/typescript/-/typescript-5.9.3.tgz", + "integrity": "sha512-jl1vZzPDinLr9eUt3J/t7V6FgNEw9QjvBPdysz9KfQDD41fQrC2Y4vKQdiaUpFT4bXlb1RHhLpp8wtm6M5TgSw==", + "dev": true, + "license": "Apache-2.0", + "bin": { + "tsc": "bin/tsc", + "tsserver": "bin/tsserver" + }, + "engines": { + "node": ">=14.17" + } + }, + "node_modules/undici-types": { + "version": "7.16.0", + "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-7.16.0.tgz", + "integrity": "sha512-Zz+aZWSj8LE6zoxD+xrjh4VfkIG8Ya6LvYkZqtUQGJPZjYl53ypCaUwWqo7eI0x66KBGeRo+mlBEkMSeSZ38Nw==", + "dev": true, + "license": "MIT" + }, + "node_modules/wrap-ansi": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/y18n": { + "version": "5.0.8", + "resolved": "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz", + "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10" + } + }, + "node_modules/yargs": { + "version": "17.7.2", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.7.2.tgz", + "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^8.0.1", + "escalade": "^3.1.1", + "get-caller-file": "^2.0.5", + "require-directory": "^2.1.1", + "string-width": "^4.2.3", + "y18n": "^5.0.5", + "yargs-parser": "^21.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/yargs-parser": { + "version": "21.1.1", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=12" + } + } + } +} diff --git a/packages/quarto-types/package.json b/packages/quarto-types/package.json new file mode 100644 index 00000000000..4c670210b7b --- /dev/null +++ b/packages/quarto-types/package.json @@ -0,0 +1,41 @@ +{ + "name": "@quarto/types", + "version": "0.1.0", + "description": "TypeScript type definitions for Quarto engine development", + "types": "src/index.ts", + "files": [ + "src", + "README.md", + "LICENSE" + ], + "scripts": { + "typecheck": "tsc --noEmit", + "build": "dts-bundle-generator -o ./dist/index.d.ts --export-referenced-types=false ./src/index.ts", + "prebuild": "npm run typecheck" + }, + "keywords": [ + "quarto", + "typescript", + "types", + "engine" + ], + "author": "Quarto", + "license": "MIT", + "publishConfig": { + "access": "public" + }, + "repository": { + "type": "git", + "url": "https://github.com/quarto-dev/quarto-cli.git", + "directory": "packages/quarto-types" + }, + "bugs": { + "url": "https://github.com/quarto-dev/quarto-cli/issues" + }, + "homepage": "https://github.com/quarto-dev/quarto-cli/tree/main/packages/quarto-types#readme", + "devDependencies": { + "@types/node": "^24.9.1", + "dts-bundle-generator": "^9.5.1", + "typescript": "^5.9.3" + } +} diff --git a/packages/quarto-types/src/check.ts b/packages/quarto-types/src/check.ts new file mode 100644 index 00000000000..974de53dca6 --- /dev/null +++ b/packages/quarto-types/src/check.ts @@ -0,0 +1,77 @@ +/** + * Check command types for Quarto + */ + +import type { TempContext } from "./system.ts"; + +/** + * Render services available during check operations + * Simplified version containing only what check operations need + */ +export interface CheckRenderServices { + /** Temporary file management */ + temp: TempContext; + + /** Placeholder for extension context (not used by check) */ + extension?: unknown; + + /** Placeholder for notebook context (not used by check) */ + notebook?: unknown; +} + +/** + * Render services with cleanup capability + */ +export interface CheckRenderServiceWithLifetime extends CheckRenderServices { + /** Cleanup function to release resources */ + cleanup: () => void; + + /** Optional lifetime management */ + lifetime?: unknown; +} + +/** + * Configuration for check command operations + * Used by engines implementing checkInstallation() + */ +export interface CheckConfiguration { + /** Whether to run strict checks */ + strict: boolean; + + /** Target being checked (e.g., "jupyter", "knitr", "all") */ + target: string; + + /** Optional output file path for JSON results */ + output: string | undefined; + + /** Render services (primarily for temp file management) */ + services: CheckRenderServiceWithLifetime; + + /** JSON result object (undefined if not outputting JSON) */ + jsonResult: Record | undefined; +} + +/** + * Options for test-rendering a document during check operations + */ +export interface CheckRenderOptions { + /** Markdown content to render */ + content: string; + + /** Language identifier (e.g., "python", "r", "julia") */ + language: string; + + /** Render services for temp file management */ + services: CheckRenderServiceWithLifetime; +} + +/** + * Result of a check render operation + */ +export interface CheckRenderResult { + /** Whether the render succeeded */ + success: boolean; + + /** Error if render failed */ + error?: Error; +} diff --git a/packages/quarto-types/src/cli.ts b/packages/quarto-types/src/cli.ts new file mode 100644 index 00000000000..8a7e0286795 --- /dev/null +++ b/packages/quarto-types/src/cli.ts @@ -0,0 +1,11 @@ +/** + * Minimal type definitions for CLI commands + */ + +export interface Command { + command(name: string, description?: string): Command; + description(description: string): Command; + action(fn: (...args: any[]) => void | Promise): Command; + arguments(args: string): Command; + option(flags: string, description: string, options?: any): Command; +} \ No newline at end of file diff --git a/packages/quarto-types/src/console.ts b/packages/quarto-types/src/console.ts new file mode 100644 index 00000000000..5959f2da20f --- /dev/null +++ b/packages/quarto-types/src/console.ts @@ -0,0 +1,33 @@ +/** + * Console and UI types for Quarto + */ + +/** + * Options for displaying a spinner in the console + */ +export interface SpinnerOptions { + /** Message to display with the spinner (or function that returns message) */ + message: string | (() => string); + /** Message to display when done, or false to hide, or true to keep original message */ + doneMessage?: string | boolean; +} + +/** + * Options for log messages (info, warning, error) + */ +export interface LogMessageOptions { + /** Whether to add a trailing newline (default: true) */ + newline?: boolean; + /** Apply bold formatting */ + bold?: boolean; + /** Apply dim/gray formatting */ + dim?: boolean; + /** Number of spaces to indent each line */ + indent?: number; + /** Custom format function applied to each line */ + format?: (line: string) => string; + /** Enable color formatting (default: true) */ + colorize?: boolean; + /** Remove ANSI escape codes from output */ + stripAnsiCode?: boolean; +} diff --git a/packages/quarto-types/src/execution-engine.ts b/packages/quarto-types/src/execution-engine.ts new file mode 100644 index 00000000000..3c20446140c --- /dev/null +++ b/packages/quarto-types/src/execution-engine.ts @@ -0,0 +1,243 @@ +/** + * Execution engine interfaces for Quarto + */ + +import type { MappedString } from "./text.ts"; +import type { Format } from "./format.ts"; +import type { Metadata } from "./metadata.ts"; +import type { EngineProjectContext } from "./project-context.ts"; +import type { Command } from "./cli.ts"; +import type { QuartoAPI } from "./quarto-api.ts"; +import type { + ExecuteOptions, + ExecuteResult, + DependenciesOptions, + DependenciesResult, + PostProcessOptions, + RunOptions, +} from "./execution.ts"; +import type { + RenderFlags, + RenderOptions, + RenderResultFile, +} from "./render.ts"; +import type { PartitionedMarkdown } from "./markdown.ts"; +import type { PandocIncludes, PandocIncludeLocation } from "./pandoc.ts"; +import type { CheckConfiguration } from "./check.ts"; + +/** + * Execution target (filename and context) + */ +export interface ExecutionTarget { + /** Original source file */ + source: string; + + /** Input file after preprocessing */ + input: string; + + /** Markdown content */ + markdown: MappedString; + + /** Document metadata */ + metadata: Metadata; + + /** Optional target-specific data */ + data?: unknown; +} + +/** + * Interface for execution engine discovery + * Responsible for the static aspects of engine discovery (not requiring project context) + */ +export interface ExecutionEngineDiscovery { + /** + * Initialize the engine with the Quarto API (optional) + * May be called multiple times but always with the same QuartoAPI object. + * Engines should store the reference to use throughout their lifecycle. + * + * @param quarto - The Quarto API for accessing utilities + */ + init?: (quarto: QuartoAPI) => void; + + /** + * Name of the engine + */ + name: string; + + /** + * Default extension for files using this engine + */ + defaultExt: string; + + /** + * Generate default YAML for this engine + */ + defaultYaml: (kernel?: string) => string[]; + + /** + * Generate default content for this engine + */ + defaultContent: (kernel?: string) => string[]; + + /** + * List of file extensions this engine supports + */ + validExtensions: () => string[]; + + /** + * Whether this engine can handle the given file + * + * @param file - The file path to check + * @param ext - The file extension + * @returns True if this engine can handle the file + */ + claimsFile: (file: string, ext: string) => boolean; + + /** + * Whether this engine can handle the given language + */ + claimsLanguage: (language: string) => boolean; + + /** + * Whether this engine supports freezing + */ + canFreeze: boolean; + + /** + * Whether this engine generates figures + */ + generatesFigures: boolean; + + /** + * Directories to ignore during processing (optional) + */ + ignoreDirs?: () => string[] | undefined; + + /** + * Semver range specifying the minimum required Quarto version for this engine + * Examples: ">= 1.6.0", "^1.5.0", "1.*" + * + * When specified, Quarto will check at engine registration time whether the + * current version satisfies this requirement. If not, an error will be thrown. + */ + quartoRequired?: string; + + /** + * Populate engine-specific CLI commands (optional) + * Called at module initialization to register commands like 'quarto enginename status' + * + * @param command - The CLI command to populate with subcommands + */ + populateCommand?: (command: Command) => void; + + /** + * Check installation and capabilities for this engine (optional) + * Used by `quarto check ` command + * + * Engines implementing this method will automatically be available as targets + * for the check command (e.g., `quarto check jupyter`, `quarto check knitr`). + * + * @param conf - Check configuration with output settings and services + */ + checkInstallation?: (conf: CheckConfiguration) => Promise; + + /** + * Launch a dynamic execution engine with project context + * This is called when the engine is needed for execution + * + * @param context The restricted project context + * @returns ExecutionEngineInstance that can execute documents + */ + launch: (context: EngineProjectContext) => ExecutionEngineInstance; +} + +/** + * Interface for a launched execution engine + * This represents an engine that has been instantiated with a project context + * and is ready to execute documents + */ +export interface ExecutionEngineInstance { + /** + * Name of the engine + */ + name: string; + + /** + * Whether this engine supports freezing + */ + canFreeze: boolean; + + /** + * Get the markdown content for a file + */ + markdownForFile(file: string): Promise; + + /** + * Create an execution target for the given file + */ + target: ( + file: string, + quiet?: boolean, + markdown?: MappedString, + ) => Promise; + + /** + * Get a partitioned view of the markdown + */ + partitionedMarkdown: ( + file: string, + format?: Format, + ) => Promise; + + /** + * Filter the format based on engine requirements + */ + filterFormat?: ( + source: string, + options: RenderOptions, + format: Format, + ) => Format; + + /** + * Execute the target + */ + execute: (options: ExecuteOptions) => Promise; + + /** + * Handle skipped execution targets + */ + executeTargetSkipped?: ( + target: ExecutionTarget, + format: Format, + ) => void; + + /** + * Get dependencies for the target + */ + dependencies: (options: DependenciesOptions) => Promise; + + /** + * Post-process the execution result + */ + postprocess: (options: PostProcessOptions) => Promise; + + /** + * Whether this engine can keep source for this target + */ + canKeepSource?: (target: ExecutionTarget) => boolean; + + /** + * Get a list of intermediate files generated by this engine + */ + intermediateFiles?: (input: string) => string[] | undefined; + + /** + * Run the engine (for interactivity) + */ + run?: (options: RunOptions) => Promise; + + /** + * Post-render processing + */ + postRender?: (file: RenderResultFile) => Promise; +} diff --git a/packages/quarto-types/src/execution.ts b/packages/quarto-types/src/execution.ts new file mode 100644 index 00000000000..ac02659a14e --- /dev/null +++ b/packages/quarto-types/src/execution.ts @@ -0,0 +1,199 @@ +/** + * Execution workflow types for Quarto engines + */ + +import type { MappedString } from "./text.ts"; +import type { Format } from "./format.ts"; +import type { Metadata } from "./metadata.ts"; +import type { ExecutionTarget, ExecutionEngineInstance } from "./execution-engine.ts"; +import type { EngineProjectContext } from "./project-context.ts"; +import type { PandocIncludes } from "./pandoc.ts"; + +/** + * Options for execution + */ +export interface ExecuteOptions { + /** The execution target */ + target: ExecutionTarget; + + /** Format to render to */ + format: Format; + + /** Directory for resources */ + resourceDir: string; + + /** Directory for temporary files */ + tempDir: string; + + /** Whether to include dependencies */ + dependencies: boolean; + + /** Project directory if applicable */ + projectDir?: string; + + /** Library directory */ + libDir?: string; + + /** Current working directory */ + cwd: string; + + /** Parameters passed to document */ + params?: { [key: string]: unknown }; + + /** Whether to suppress output */ + quiet?: boolean; + + /** Whether execution is for preview server */ + previewServer?: boolean; + + /** List of languages handled by cell language handlers */ + handledLanguages: string[]; + + /** Project context */ + project: EngineProjectContext; +} + +/** + * Result of execution + */ +export interface ExecuteResult { + /** Resulting markdown content */ + markdown: string; + + /** Supporting files */ + supporting: string[]; + + /** Filter scripts */ + filters: string[]; + + /** Updated metadata */ + metadata?: Metadata; + + /** Pandoc options */ + pandoc?: Record; + + /** Pandoc includes */ + includes?: PandocIncludes; + + /** Engine name */ + engine?: string; + + /** Engine-specific dependencies */ + engineDependencies?: Record>; + + /** Content to preserve during processing */ + preserve?: Record; + + /** Whether post-processing is required */ + postProcess?: boolean; + + /** Additional resource files */ + resourceFiles?: string[]; +} + +/** + * Options for retrieving dependencies + */ +export interface DependenciesOptions { + /** The execution target */ + target: ExecutionTarget; + + /** Format to render to */ + format: Format; + + /** Output file path */ + output: string; + + /** Directory for resources */ + resourceDir: string; + + /** Directory for temporary files */ + tempDir: string; + + /** Project directory if applicable */ + projectDir?: string; + + /** Library directory */ + libDir?: string; + + /** Dependencies to include */ + dependencies?: Array; + + /** Whether to suppress output */ + quiet?: boolean; +} + +/** + * Result of retrieving dependencies + */ +export interface DependenciesResult { + /** Pandoc includes */ + includes: PandocIncludes; +} + +/** + * Options for post-processing + */ +export interface PostProcessOptions { + /** The execution engine */ + engine: ExecutionEngineInstance; + + /** The execution target */ + target: ExecutionTarget; + + /** Format to render to */ + format: Format; + + /** Output file path */ + output: string; + + /** Directory for temporary files */ + tempDir: string; + + /** Project directory if applicable */ + projectDir?: string; + + /** Content to preserve during processing */ + preserve?: Record; + + /** Whether to suppress output */ + quiet?: boolean; +} + +/** + * Options for running the engine + */ +export interface RunOptions { + /** Input file path */ + input: string; + + /** Whether to render */ + render: boolean; + + /** Whether to open in browser */ + browser: boolean; + + /** Directory for temporary files */ + tempDir: string; + + /** Whether to reload */ + reload?: boolean; + + /** Target format */ + format?: string; + + /** Project directory if applicable */ + projectDir?: string; + + /** Port for server */ + port?: number; + + /** Host for server */ + host?: string; + + /** Whether to suppress output */ + quiet?: boolean; + + /** Callback when ready */ + onReady?: () => Promise; +} diff --git a/packages/quarto-types/src/external-engine.ts b/packages/quarto-types/src/external-engine.ts new file mode 100644 index 00000000000..b272aefb420 --- /dev/null +++ b/packages/quarto-types/src/external-engine.ts @@ -0,0 +1,13 @@ +/** + * External engine interfaces for Quarto + */ + +/** + * Represents an external engine specified in a project + */ +export interface ExternalEngine { + /** + * Path to the engine implementation + */ + path: string; +} \ No newline at end of file diff --git a/packages/quarto-types/src/format.ts b/packages/quarto-types/src/format.ts new file mode 100644 index 00000000000..313e5b0b36e --- /dev/null +++ b/packages/quarto-types/src/format.ts @@ -0,0 +1,66 @@ +/** + * Format type definitions for Quarto output formats + */ + +import type { Metadata } from "./metadata.ts"; + +/** + * Valid format identifier keys + */ +export type FormatIdentifierKey = + | "base-format" + | "target-format" + | "display-name" + | "extension-name"; + +/** + * Format identifier information + */ +export type FormatIdentifier = { + [K in FormatIdentifierKey]?: string; +}; + +/** + * Format language/localization strings + */ +export interface FormatLanguage { + [key: string]: string | undefined; +} + +/** + * Complete Format type for engine interfaces + */ +export interface Format { + /** + * Format identifier + */ + identifier: FormatIdentifier; + + /** + * Format language/localization strings + */ + language: FormatLanguage; + + /** + * Document metadata + */ + metadata: Metadata; + + /** + * Format rendering options + */ + render: Record; + + /** + * Format execution options + */ + execute: Record; + + /** + * Format pandoc options + */ + pandoc: { + to?: string; + [key: string]: unknown; + }; +} diff --git a/packages/quarto-types/src/index.ts b/packages/quarto-types/src/index.ts new file mode 100644 index 00000000000..f494182fa64 --- /dev/null +++ b/packages/quarto-types/src/index.ts @@ -0,0 +1,34 @@ +/** + * @quarto/types + * TypeScript type definitions for Quarto execution engines + */ + +// Core engine interfaces (starting points) +export type * from "./execution-engine.ts"; +export type * from "./project-context.ts"; +export type * from "./quarto-api.ts"; + +// Execution & rendering +export type * from "./execution.ts"; +export type * from "./render.ts"; +export type * from "./check.ts"; + +// Format & metadata +export type * from "./metadata.ts"; +export type * from "./format.ts"; + +// Text & markdown +export type * from "./text.ts"; +export type * from "./markdown.ts"; + +// System & process +export type * from "./system.ts"; +export type * from "./console.ts"; +export type * from "./pandoc.ts"; + +// Engine-specific +export type * from "./jupyter.ts"; +export type * from "./external-engine.ts"; + +// CLI +export type * from "./cli.ts"; diff --git a/packages/quarto-types/src/jupyter.ts b/packages/quarto-types/src/jupyter.ts new file mode 100644 index 00000000000..dca4c437796 --- /dev/null +++ b/packages/quarto-types/src/jupyter.ts @@ -0,0 +1,287 @@ +/* + * jupyter-types.d.ts + * + * Copyright (C) 2023 Posit Software, PBC + */ + +// deno-lint-ignore-file camelcase + +import type { ExecuteOptions } from './execution.ts'; +import type { Metadata } from './metadata.ts'; +import type { Format } from './format.ts'; + +/** + * Jupyter notebook kernelspec + */ +export interface JupyterKernelspec { + name: string; + language: string; + display_name: string; + path?: string; +} + +/** + * Jupyter language info + */ +export type JupyterLanguageInfo = { + name: string; + codemirror_mode?: string | Record; + file_extension?: string; + mimetype?: string; + pygments_lexer?: string; +}; + +/** + * Jupyter notebook cell metadata + */ +export interface JupyterCellMetadata { + [key: string]: unknown; +} + +/** + * Jupyter notebook output + */ +export interface JupyterOutput { + output_type: string; + metadata?: { + [mimetype: string]: Record; + }; + execution_count?: number; + [key: string]: unknown; +} + +/** + * Jupyter output stream + */ +export interface JupyterOutputStream extends JupyterOutput { + name: "stdout" | "stderr"; + text: string[] | string; +} + +/** + * Jupyter output display data + */ +export interface JupyterOutputDisplayData extends JupyterOutput { + data: { [mimeType: string]: unknown }; + metadata: { [mimeType: string]: Record }; + noCaption?: boolean; +} + +/** + * Jupyter output figure options + */ +export interface JupyterOutputFigureOptions { + [key: string]: unknown; +} + +/** + * Jupyter cell options + */ +export interface JupyterCellOptions extends JupyterOutputFigureOptions { + [key: string]: unknown; +} + +/** + * Jupyter cell with options + */ +export interface JupyterCellWithOptions extends JupyterCell { + id: string; + options: JupyterCellOptions; + optionsSource: string[]; +} + +/** + * Jupyter notebook cell + */ +export interface JupyterCell { + cell_type: "markdown" | "code" | "raw"; + metadata: JupyterCellMetadata; + source: string | string[]; + id?: string; + execution_count?: number | null; + outputs?: JupyterOutput[]; + attachments?: { + [filename: string]: { + [mimetype: string]: string | string[]; + }; + }; +} + +/** + * Jupyter user expression + */ +export interface JupyterUserExpression { + expression: string; + result: JupyterUserExpressionResult; +} + +/** + * Jupyter user expression result + */ +export interface JupyterUserExpressionResult extends JupyterCellOutputData { + metadata: Metadata; + status: string; +} + +/** + * Jupyter cell output data + */ +export interface JupyterCellOutputData { + data: { [mimeType: string]: unknown }; +} + +/** + * Jupyter cell slideshow + */ +export interface JupyterCellSlideshow { + [key: string]: string; +} + +/** + * Jupyter notebook structure + */ +export interface JupyterNotebook { + cells: JupyterCell[]; + metadata: { + kernelspec: JupyterKernelspec; + widgets?: Record; + language_info?: JupyterLanguageInfo; + [key: string]: unknown; + }; + nbformat: number; + nbformat_minor: number; +} + +/** + * Asset paths for Jupyter notebook output + */ +export interface JupyterNotebookAssetPaths { + base_dir: string; + files_dir: string; + figures_dir: string; + supporting_dir: string; +} + +/** + * Format execution options + */ +export interface FormatExecute { + [key: string]: unknown; +} + +/** + * Format render options + */ +export interface FormatRender { + [key: string]: unknown; +} + +/** + * Format pandoc options + */ +export interface FormatPandoc { + to?: string; + [key: string]: unknown; +} + +/** + * Jupyter widget state information + */ +export interface JupyterWidgetsState { + state: Record; + version_major: number; + version_minor: number; +} + +/** + * Widget dependencies from Jupyter notebook + */ +export interface JupyterWidgetDependencies { + jsWidgets: boolean; + jupyterWidgets: boolean; + htmlLibraries: string[]; + widgetsState?: JupyterWidgetsState; +} + +/** + * Jupyter capabilities + */ +export interface JupyterCapabilities { + versionMajor: number; + versionMinor: number; + versionPatch: number; + versionStr: string; + execPrefix: string; + executable: string; + conda: boolean; + pyLauncher: boolean; + jupyter_core: string | null; + nbformat: string | null; + nbclient: string | null; + ipykernel: string | null; + shiny: string | null; +} + +/** + * Extended Jupyter capabilities + */ +export interface JupyterCapabilitiesEx extends JupyterCapabilities { + kernels?: JupyterKernelspec[]; + venv?: boolean; +} + +/** + * Cell output with markdown + */ +export interface JupyterCellOutput { + id: string; + markdown: string; + metadata: Record; + options: Record; +} + +/** + * Options for converting Jupyter notebook to markdown + */ +export interface JupyterToMarkdownOptions { + executeOptions: ExecuteOptions; + language: string; + assets: JupyterNotebookAssetPaths; + execute: FormatExecute; + keepHidden?: boolean; + toHtml: boolean; + toLatex: boolean; + toMarkdown: boolean; + toIpynb: boolean; + toPresentation: boolean; + figFormat?: string; + figDpi?: number; + figPos?: string; + preserveCellMetadata?: boolean; + preserveCodeCellYaml?: boolean; + outputPrefix?: string; + fixups?: string | unknown[]; +} + +/** + * Options for converting Quarto markdown to Jupyter notebook + */ +export interface QuartoMdToJupyterOptions { + title?: string; + format?: Format; +} + +/** + * Result of converting Jupyter notebook to markdown + */ +export interface JupyterToMarkdownResult { + cellOutputs: JupyterCellOutput[]; + notebookOutputs?: { + prefix?: string; + suffix?: string; + }; + dependencies?: JupyterWidgetDependencies; + htmlPreserve?: Record; + pandoc?: Record; +} + diff --git a/packages/quarto-types/src/markdown.ts b/packages/quarto-types/src/markdown.ts new file mode 100644 index 00000000000..76b461accce --- /dev/null +++ b/packages/quarto-types/src/markdown.ts @@ -0,0 +1,55 @@ +/** + * Markdown structure types for Quarto + */ + +import type { MappedString } from "./text.ts"; +import type { Metadata } from "./metadata.ts"; + +/** + * Cell type from breaking Quarto markdown + */ +export interface QuartoMdCell { + id?: string; + cell_type: { language: string } | "markdown" | "raw"; + options?: Record; + source: MappedString; + sourceVerbatim: MappedString; + sourceWithYaml?: MappedString; + sourceOffset: number; + sourceStartLine: number; + cellStartLine: number; +} + +/** + * Result from breaking Quarto markdown + */ +export interface QuartoMdChunks { + cells: QuartoMdCell[]; +} + +/** + * A partitioned markdown document + */ +export interface PartitionedMarkdown { + /** YAML frontmatter as parsed metadata */ + yaml?: Metadata; + + /** Text of the first heading */ + headingText?: string; + + /** Attributes of the first heading */ + headingAttr?: { + id: string; + classes: string[]; + keyvalue: Array<[string, string]>; + }; + + /** Whether the document contains references */ + containsRefs: boolean; + + /** Complete markdown content */ + markdown: string; + + /** Markdown without YAML frontmatter */ + srcMarkdownNoYaml: string; +} diff --git a/packages/quarto-types/src/metadata.ts b/packages/quarto-types/src/metadata.ts new file mode 100644 index 00000000000..46ec9644274 --- /dev/null +++ b/packages/quarto-types/src/metadata.ts @@ -0,0 +1,10 @@ +/** + * Basic metadata types used across Quarto + */ + +/** + * Generic metadata key-value store + */ +export type Metadata = { + [key: string]: unknown; +}; diff --git a/packages/quarto-types/src/pandoc.ts b/packages/quarto-types/src/pandoc.ts new file mode 100644 index 00000000000..4ecd99c6d41 --- /dev/null +++ b/packages/quarto-types/src/pandoc.ts @@ -0,0 +1,19 @@ +/** + * Pandoc types for Quarto + */ + +/** + * Valid Pandoc include locations + */ +export type PandocIncludeLocation = + | "include-in-header" + | "include-before-body" + | "include-after-body"; + +/** + * Pandoc includes for headers, body, etc. + * Mapped type that allows any of the valid include locations + */ +export type PandocIncludes = { + [K in PandocIncludeLocation]?: string[]; +}; diff --git a/packages/quarto-types/src/project-context.ts b/packages/quarto-types/src/project-context.ts new file mode 100644 index 00000000000..98b1f299a05 --- /dev/null +++ b/packages/quarto-types/src/project-context.ts @@ -0,0 +1,100 @@ +/** + * Project context interfaces for Quarto engines + */ + +import type { MappedString } from "./text.ts"; +import type { + ExecutionEngineInstance, + ExecutionTarget, +} from "./execution-engine.ts"; +import type { ExternalEngine } from "./external-engine.ts"; +import type { Metadata } from "./metadata.ts"; + +/** + * Information about a file being processed + */ +export interface FileInformation { + /** + * Full markdown content after expanding includes + */ + fullMarkdown?: MappedString; + + /** + * Map of file inclusions + */ + includeMap?: { + source: string; + target: string; + }[]; + + /** + * The launched execution engine for this file + */ + engine?: ExecutionEngineInstance; + + /** + * The execution target for this file + */ + target?: ExecutionTarget; + + /** + * Document metadata + */ + metadata?: Metadata; +} + +/** + * A restricted version of ProjectContext that only exposes + * functionality needed by execution engines. + */ +export interface EngineProjectContext { + /** + * Base directory of the project + */ + dir: string; + + /** + * Flag indicating if project consists of a single file + */ + isSingleFile: boolean; + + /** + * Config object containing project configuration + * Used primarily for config?.engines access + */ + config?: { + engines?: (string | ExternalEngine)[]; + project?: { + outputDir?: string; + }; + }; + + /** + * For file information cache management + * Used for the transient notebook tracking in Jupyter + */ + fileInformationCache: Map; + + /** + * Get the output directory for the project + * + * @returns Path to output directory + */ + getOutputDirectory: () => string; + + /** + * Resolves full markdown content for a file, including expanding includes + * + * @param engine - The execution engine + * @param file - Path to the file + * @param markdown - Optional existing markdown content + * @param force - Whether to force re-resolution even if cached + * @returns Promise resolving to mapped markdown string + */ + resolveFullMarkdownForFile: ( + engine: ExecutionEngineInstance | undefined, + file: string, + markdown?: MappedString, + force?: boolean, + ) => Promise; +} diff --git a/packages/quarto-types/src/quarto-api.ts b/packages/quarto-types/src/quarto-api.ts new file mode 100644 index 00000000000..c96e4656c8b --- /dev/null +++ b/packages/quarto-types/src/quarto-api.ts @@ -0,0 +1,784 @@ +/* + * quarto-api.d.ts + * + * Copyright (C) 2023 Posit Software, PBC + */ + +import type { MappedString } from "./text.ts"; +import type { Metadata } from "./metadata.ts"; +import type { Format } from "./format.ts"; +import type { PartitionedMarkdown } from "./markdown.ts"; +import type { EngineProjectContext } from "./project-context.ts"; +import type { + JupyterNotebook, + JupyterToMarkdownOptions, + JupyterToMarkdownResult, + JupyterWidgetDependencies, + JupyterKernelspec, + JupyterCapabilities, + JupyterNotebookAssetPaths, + FormatPandoc, +} from "./jupyter.ts"; +import type { PandocIncludes } from "./pandoc.ts"; +import type { PostProcessOptions } from "./execution.ts"; +import type { + PreviewServer, + ProcessResult, + ExecProcessOptions, + TempContext, +} from "./system.ts"; +import type { LogMessageOptions, SpinnerOptions } from "./console.ts"; +import type { + CheckRenderOptions, + CheckRenderResult, +} from "./check.ts"; +import type { QuartoMdChunks, QuartoMdCell } from "./markdown.ts"; + +/** + * Global Quarto API interface + */ +export interface QuartoAPI { + /** + * Markdown processing utilities using regex patterns + */ + markdownRegex: { + /** + * Extract and parse YAML frontmatter from markdown + * + * @param markdown - Markdown content with YAML frontmatter + * @returns Parsed metadata object + */ + extractYaml: (markdown: string) => Metadata; + + /** + * Split markdown into components (YAML, heading, content) + * + * @param markdown - Markdown content + * @returns Partitioned markdown with yaml, heading, and content sections + */ + partition: (markdown: string) => PartitionedMarkdown; + + /** + * Extract programming languages from code blocks + * + * @param markdown - Markdown content to analyze + * @returns Set of language identifiers found in fenced code blocks + */ + getLanguages: (markdown: string) => Set; + + /** + * Break Quarto markdown into cells + * + * @param src - Markdown string or MappedString + * @param validate - Whether to validate cells (default: false) + * @param lenient - Whether to use lenient parsing (default: false) + * @returns Promise resolving to chunks with cells + */ + breakQuartoMd: ( + src: string | MappedString, + validate?: boolean, + lenient?: boolean, + ) => Promise; + }; + + /** + * MappedString utilities for source location tracking + */ + mappedString: { + /** + * Create a mapped string from plain text + * + * @param text - Text content + * @param fileName - Optional filename for source tracking + * @returns MappedString with identity mapping + */ + fromString: (text: string, fileName?: string) => MappedString; + + /** + * Read a file and create a mapped string + * + * @param path - Path to the file to read + * @returns MappedString with file content and source information + */ + fromFile: (path: string) => MappedString; + + /** + * Normalize newlines while preserving source mapping + * + * @param markdown - MappedString to normalize + * @returns MappedString with \r\n converted to \n + */ + normalizeNewlines: (markdown: MappedString) => MappedString; + + /** + * Split a MappedString into lines + * + * @param str - MappedString to split + * @param keepNewLines - Whether to keep newline characters (default: false) + * @returns Array of MappedStrings, one per line + */ + splitLines: (str: MappedString, keepNewLines?: boolean) => MappedString[]; + + /** + * Convert character offset to line/column coordinates + * + * @param str - MappedString to query + * @param offset - Character offset to convert + * @returns Line and column numbers (1-indexed) + */ + indexToLineCol: ( + str: MappedString, + offset: number, + ) => { line: number; column: number }; + }; + + /** + * Jupyter notebook integration utilities + */ + jupyter: { + // 1. Notebook Detection & Introspection + + /** + * Check if a file is a Jupyter notebook + * + * @param file - File path to check + * @returns True if file is a Jupyter notebook (.ipynb) + */ + isJupyterNotebook: (file: string) => boolean; + + /** + * Check if a file is a Jupyter percent script + * + * @param file - File path to check + * @param extensions - Optional array of extensions to check (default: ['.py', '.jl', '.r']) + * @returns True if file is a Jupyter percent script + */ + isPercentScript: (file: string, extensions?: string[]) => boolean; + + /** + * List of Jupyter notebook file extensions + */ + notebookExtensions: string[]; + + /** + * Extract kernelspec from markdown content + * + * @param markdown - Markdown content with YAML frontmatter + * @returns Extracted kernelspec or undefined if not found + */ + kernelspecFromMarkdown: (markdown: string) => JupyterKernelspec | undefined; + + /** + * Find a Jupyter kernelspec that supports a given language + * + * @param language - Language to find kernel for (e.g., "python", "julia", "r") + * @returns Promise resolving to matching kernelspec or undefined if not found + */ + kernelspecForLanguage: ( + language: string, + ) => Promise; + + /** + * Convert JSON string to Jupyter notebook + * + * @param nbJson - JSON string containing notebook data + * @returns Parsed Jupyter notebook object + */ + fromJSON: (nbJson: string) => JupyterNotebook; + + // 2. Notebook Conversion + + /** + * Convert a Jupyter notebook to markdown + * + * @param nb - Jupyter notebook to convert + * @param options - Conversion options + * @returns Converted markdown with cell outputs and dependencies + */ + toMarkdown: ( + nb: JupyterNotebook, + options: JupyterToMarkdownOptions, + ) => Promise; + + /** + * Convert Jupyter notebook file to markdown + * + * @param file - Path to notebook file + * @param format - Optional format to use for conversion + * @returns Markdown content extracted from notebook + */ + markdownFromNotebookFile: (file: string, format?: Format) => string; + + /** + * Convert Jupyter notebook JSON to markdown + * + * @param nbJson - Notebook JSON string + * @returns Markdown content extracted from notebook + */ + markdownFromNotebookJSON: (nbJson: string) => string; + + /** + * Convert a Jupyter percent script to markdown + * + * @param file - Path to the percent script file + * @returns Converted markdown content + */ + percentScriptToMarkdown: (file: string) => string; + + /** + * Convert Quarto markdown to Jupyter notebook + * + * @param markdown - Markdown content with YAML frontmatter + * @param includeIds - Whether to include cell IDs + * @param project - Optional project context for config merging + * @returns Promise resolving to Jupyter notebook generated from markdown + */ + quartoMdToJupyter: ( + markdown: string, + includeIds: boolean, + project?: EngineProjectContext, + ) => Promise; + + // 3. Notebook Processing & Assets + + /** + * Apply filters to a Jupyter notebook + * + * @param nb - Jupyter notebook to filter + * @param filters - Array of filter strings to apply + * @returns Filtered notebook + */ + notebookFiltered: ( + nb: JupyterNotebook, + filters: string[], + ) => JupyterNotebook; + + /** + * Create asset paths for Jupyter notebook output + * + * @param input - Input file path + * @param to - Output format (optional) + * @returns Asset paths for files, figures, and supporting directories + */ + assets: (input: string, to?: string) => JupyterNotebookAssetPaths; + + /** + * Generate Pandoc includes for Jupyter widget dependencies + * + * @param deps - Widget dependencies + * @param tempDir - Temporary directory for includes + * @returns Pandoc includes structure + */ + widgetDependencyIncludes: ( + deps: JupyterWidgetDependencies, + tempDir: string, + ) => PandocIncludes; + + /** + * Convert result dependencies to Pandoc includes + * + * @param tempDir - Temporary directory for includes + * @param dependencies - Widget dependencies from execution result + * @returns Pandoc includes structure + */ + resultIncludes: ( + tempDir: string, + dependencies?: JupyterWidgetDependencies, + ) => PandocIncludes; + + /** + * Extract engine dependencies from result dependencies + * + * @param dependencies - Widget dependencies from execution result + * @returns Array of widget dependencies or undefined + */ + resultEngineDependencies: ( + dependencies?: JupyterWidgetDependencies, + ) => Array | undefined; + + // 4. Runtime & Environment + + /** + * Get Python executable command + * + * @param python - Optional Python executable override + * @returns Promise resolving to array of command line arguments + */ + pythonExec: (python?: string) => Promise; + + /** + * Get Jupyter capabilities + * + * @param python - Optional Python executable override + * @param jupyter - Optional Jupyter executable override + * @returns Promise resolving to Jupyter capabilities + */ + capabilities: ( + python?: string, + jupyter?: string, + ) => Promise; + + /** + * Generate formatted capabilities message with version, path, jupyter version, and kernels + * + * @param caps - Jupyter capabilities + * @param indent - Optional indentation string (default: "") + * @returns Promise resolving to formatted capabilities message with indentation + */ + capabilitiesMessage: ( + caps: JupyterCapabilities, + indent?: string, + ) => Promise; + + /** + * Generate capabilities with kernels list for JSON output + * + * Enriches capabilities with full kernels array for structured output. + * Used by check command JSON output. + * + * @param caps - Jupyter capabilities + * @returns Promise resolving to capabilities with kernels array + */ + capabilitiesJson: ( + caps: JupyterCapabilities, + ) => Promise; + + /** + * Generate Jupyter installation instructions + * + * @param caps - Jupyter capabilities (to determine conda vs pip) + * @param indent - Optional indentation string (default: "") + * @returns Installation message with appropriate package manager + */ + installationMessage: ( + caps: JupyterCapabilities, + indent?: string, + ) => string; + + /** + * Check for and generate warning about unactivated Python environments + * + * @param caps - Jupyter capabilities (to check if python is from venv) + * @param indent - Optional indentation string (default: "") + * @returns Warning message if unactivated env found, undefined otherwise + */ + unactivatedEnvMessage: ( + caps: JupyterCapabilities, + indent?: string, + ) => string | undefined; + + /** + * Generate Python installation instructions + * + * @param indent - Optional indentation string (default: "") + * @returns Installation message + */ + pythonInstallationMessage: (indent?: string) => string; + }; + + /** + * Format detection utilities + */ + format: { + /** + * Check if format is HTML compatible + * + * @param format - Format to check + * @returns True if format is HTML compatible + */ + isHtmlCompatible: (format: Format) => boolean; + + /** + * Check if format is Jupyter notebook output + * + * @param format - Format pandoc options to check + * @returns True if format is ipynb + */ + isIpynbOutput: (format: FormatPandoc) => boolean; + + /** + * Check if format is LaTeX output + * + * @param format - Format pandoc options to check + * @returns True if format is LaTeX (pdf, latex, or beamer) + */ + isLatexOutput: (format: FormatPandoc) => boolean; + + /** + * Check if format is markdown output + * + * @param format - Format to check + * @param flavors - Optional array of markdown flavors to check + * @returns True if format is markdown + */ + isMarkdownOutput: (format: Format, flavors?: string[]) => boolean; + + /** + * Check if format is presentation output + * + * @param format - Format pandoc options to check + * @returns True if format is a presentation format + */ + isPresentationOutput: (format: FormatPandoc) => boolean; + + /** + * Check if format is HTML dashboard output + * + * @param format - Optional format string to check + * @returns True if format is a dashboard + */ + isHtmlDashboardOutput: (format?: string) => boolean; + + /** + * Check if format is a Shiny server document + * + * @param format - Optional format to check + * @returns True if format has server: shiny + */ + isServerShiny: (format?: Format) => boolean; + + /** + * Check if format is a Python Shiny server document with Jupyter engine + * + * @param format - Format to check + * @param engine - Execution engine name + * @returns True if format is server: shiny with jupyter engine + */ + isServerShinyPython: ( + format: Format, + engine: string | undefined, + ) => boolean; + }; + + /** + * Path manipulation utilities + */ + path: { + /** + * Convert path to absolute form with platform-specific handling + * + * Handles URL to file path conversion, makes relative paths absolute, + * normalizes the path, and uppercases Windows drive letters. + * + * @param path - Path string or URL to make absolute + * @returns Absolute, normalized path with Windows-specific fixes + */ + absolute: (path: string | URL) => string; + + /** + * Convert path to use forward slashes + * + * @param path - Path with backslashes or forward slashes + * @returns Path with only forward slashes + */ + toForwardSlashes: (path: string) => string; + + /** + * Get platform-specific runtime directory for Quarto + * + * Returns the appropriate runtime/state directory based on platform: + * - macOS: ~/Library/Caches/quarto/{subdir} + * - Windows: %LOCALAPPDATA%/quarto/{subdir} + * - Linux: $XDG_RUNTIME_DIR or ~/.local/share/quarto/{subdir} + * + * Automatically creates the directory if it doesn't exist. + * + * @param subdir - Optional subdirectory within the runtime directory + * @returns Absolute path to the runtime directory + */ + runtime: (subdir?: string) => string; + + /** + * Get path to a Quarto resource file + * + * Returns the path to bundled resource files in Quarto's share directory. + * Can accept multiple path segments that will be joined. + * + * @param parts - Path segments to join (e.g., "julia", "script.jl") + * @returns Absolute path to the resource file + */ + resource: (...parts: string[]) => string; + + /** + * Split a file path into directory and stem (filename without extension) + * + * @param file - File path to split + * @returns Tuple of [directory, filename stem] + */ + dirAndStem: (file: string) => [string, string]; + + /** + * Check if a file is a Quarto markdown file (.qmd) + * + * @param file - File path to check + * @returns True if file has .qmd extension + */ + isQmdFile: (file: string) => boolean; + + /** + * Get the standard supporting files directory name for an input file + * + * Returns the conventional `{stem}_files` directory name where Quarto + * stores supporting resources (images, data files, etc.) for a document. + * + * @param input - Input file path + * @returns Directory name in format `{stem}_files` + * @example + * ```typescript + * inputFilesDir("/path/to/document.qmd") // returns "document_files" + * ``` + */ + inputFilesDir: (input: string) => string; + + /** + * Get platform-specific user data directory for Quarto + * + * Returns the appropriate data directory based on platform: + * - macOS: ~/Library/Application Support/quarto/{subdir} + * - Windows: %LOCALAPPDATA%/quarto/{subdir} (or %APPDATA% if roaming) + * - Linux: $XDG_DATA_HOME/quarto/{subdir} or ~/.local/share/quarto/{subdir} + * + * Automatically creates the directory if it doesn't exist. + * + * @param subdir - Optional subdirectory within the data directory + * @param roaming - Optional flag for Windows roaming profile (default: false) + * @returns Absolute path to the data directory + */ + dataDir: (subdir?: string, roaming?: boolean) => string; + }; + + /** + * System and environment detection utilities + */ + system: { + /** + * Check if running in an interactive session + * + * Detects if Quarto is running in an interactive environment such as: + * - RStudio IDE + * - VS Code output channel + * - Interactive terminal (TTY) + * + * @returns True if running in an interactive environment + */ + isInteractiveSession: () => boolean; + + /** + * Check if running in a CI/CD environment + * + * Detects if Quarto is running in a continuous integration environment by checking + * for common CI environment variables across 40+ CI/CD platforms including: + * - GitHub Actions + * - GitLab CI + * - Jenkins + * - CircleCI + * - Travis CI + * - And many more + * + * @returns True if running in a CI/CD environment + */ + runningInCI: () => boolean; + + /** + * Execute an external process + * + * @param options - Process execution options + * @param stdin - Optional stdin content + * @param mergeOutput - Optional output stream merging + * @param stderrFilter - Optional stderr filter function + * @param respectStreams - Optional flag to respect stream separation + * @param timeout - Optional timeout in milliseconds + * @returns Promise resolving to process result + */ + execProcess: ( + options: ExecProcessOptions, + stdin?: string, + mergeOutput?: "stderr>stdout" | "stdout>stderr", + stderrFilter?: (output: string) => string, + respectStreams?: boolean, + timeout?: number, + ) => Promise; + + /** + * Run an external preview server + * + * @param options - Server options including command and ready pattern + * @returns PreviewServer instance for managing the server lifecycle + */ + runExternalPreviewServer: (options: { + cmd: string[]; + readyPattern: RegExp; + env?: Record; + cwd?: string; + }) => PreviewServer; + + /** + * Register a cleanup handler to run on process exit + * + * @param handler - Function to run on cleanup (can be async) + */ + onCleanup: (handler: () => void | Promise) => void; + + /** + * Get global temporary context for managing temporary files and directories + * + * @returns Global TempContext instance + */ + tempContext: () => TempContext; + + /** + * Test-render a document for validation during check operations + * + * Creates a temporary file with the provided content, renders it with + * appropriate engine settings, and returns success/failure status. + * Used by checkInstallation implementations to verify engines work. + * + * @param options - Check render options with content and services + * @returns Promise resolving to render result with success status + */ + checkRender: (options: CheckRenderOptions) => Promise; + }; + + /** + * Text processing utilities + */ + text: { + /** + * Split text into lines + * + * @param text - Text to split + * @returns Array of lines + */ + lines: (text: string) => string[]; + + /** + * Trim empty lines from array + * + * @param lines - Array of lines + * @param trim - Which empty lines to trim (default: "all") + * @returns Trimmed array of lines + */ + trimEmptyLines: ( + lines: string[], + trim?: "leading" | "trailing" | "all", + ) => string[]; + + /** + * Restore preserved HTML in post-processing + * + * @param options - Post-processing options including output path and preserve map + */ + postProcessRestorePreservedHtml: (options: PostProcessOptions) => void; + + /** + * Convert line/column position to character index + * + * @param text - Text to search in + * @returns Function that converts position to index + */ + lineColToIndex: ( + text: string, + ) => (position: { line: number; column: number }) => number; + + /** + * Create a handler for executing inline code + * + * @param language - Programming language identifier + * @param exec - Function to execute code expression + * @returns Handler function that processes code strings + */ + executeInlineCodeHandler: ( + language: string, + exec: (expr: string) => string | undefined, + ) => (code: string) => string; + + /** + * Convert metadata object to YAML text + * + * @param metadata - Metadata object to convert + * @returns YAML formatted string + */ + asYamlText: (metadata: Metadata) => string; + }; + + /** + * Console and UI utilities + */ + console: { + /** + * Execute an async operation with a spinner displayed in the console + * + * Shows a spinner with a message while the operation runs, then displays + * a completion message when done. + * + * @param options - Spinner display options + * @param fn - Async function to execute + * @returns Promise resolving to the function's return value + */ + withSpinner: ( + options: SpinnerOptions, + fn: () => Promise, + ) => Promise; + + /** + * Display a completion message in the console + * + * Shows a message with a checkmark indicator (or equivalent) to indicate + * successful completion of an operation. + * + * @param message - Message to display + */ + completeMessage: (message: string) => void; + + /** + * Log an informational message to stderr + * + * Writes an info-level message to stderr using Quarto's custom logging handler. + * Supports formatting options like indentation, bold text, and color control. + * + * @param message - Message to log + * @param options - Optional formatting options + */ + info: (message: string, options?: LogMessageOptions) => void; + + /** + * Log a warning message to stderr + * + * Writes a warning-level message to stderr with yellow color and "WARNING:" prefix. + * Uses Quarto's custom logging handler. + * + * @param message - Warning message to log + * @param options - Optional formatting options + */ + warning: (message: string, options?: LogMessageOptions) => void; + + /** + * Log an error message to stderr + * + * Writes an error-level message to stderr with bright red color and "ERROR:" prefix. + * Uses Quarto's custom logging handler. + * + * @param message - Error message to log + * @param options - Optional formatting options + */ + error: (message: string, options?: LogMessageOptions) => void; + }; + + /** + * Cryptographic utilities + */ + crypto: { + /** + * Generate MD5 hash of content + * + * @param content - String content to hash + * @returns MD5 hash as hexadecimal string + */ + md5Hash: (content: string) => string; + }; +} + +/** + * Global Quarto API object + */ +export declare const quartoAPI: QuartoAPI; diff --git a/packages/quarto-types/src/render.ts b/packages/quarto-types/src/render.ts new file mode 100644 index 00000000000..0883f5dcdd1 --- /dev/null +++ b/packages/quarto-types/src/render.ts @@ -0,0 +1,88 @@ +/** + * Rendering types for Quarto + */ + +import type { Format } from "./format.ts"; + +/** + * Render flags (extends pandoc flags) + */ +export interface RenderFlags { + // Output options + outputDir?: string; + siteUrl?: string; + executeDir?: string; + + // Execution options + execute?: boolean; + executeCache?: true | false | "refresh"; + executeDaemon?: number; + executeDaemonRestart?: boolean; + executeDebug?: boolean; + useFreezer?: boolean; + + // Metadata + metadata?: { [key: string]: unknown }; + pandocMetadata?: { [key: string]: unknown }; + params?: { [key: string]: unknown }; + paramsFile?: string; + + // Other flags + clean?: boolean; + debug?: boolean; + quiet?: boolean; + version?: string; + + // Pandoc-specific flags (subset) + to?: string; + output?: string; + [key: string]: unknown; // Allow other pandoc flags +} + +/** + * Render options (simplified) + * Note: The internal Quarto version includes a 'services' field with + * RenderServices, which has been omitted as it requires internal dependencies. + */ +export interface RenderOptions { + flags?: RenderFlags; + pandocArgs?: string[]; + progress?: boolean; + useFreezer?: boolean; + devServerReload?: boolean; + previewServer?: boolean; + setProjectDir?: boolean; + forceClean?: boolean; + echo?: boolean; + warning?: boolean; + quietPandoc?: boolean; +} + +/** + * Result file from rendering + */ +export interface RenderResultFile { + /** Input file path */ + input: string; + + /** Markdown content */ + markdown: string; + + /** Format used for rendering */ + format: Format; + + /** Output file path */ + file: string; + + /** Whether this is a transient file */ + isTransient?: boolean; + + /** Supporting files generated */ + supporting?: string[]; + + /** Resource files */ + resourceFiles: string[]; + + /** Whether this is a supplemental file */ + supplemental?: boolean; +} diff --git a/packages/quarto-types/src/system.ts b/packages/quarto-types/src/system.ts new file mode 100644 index 00000000000..e3a1c8b139e --- /dev/null +++ b/packages/quarto-types/src/system.ts @@ -0,0 +1,59 @@ +/** + * System and process types for Quarto + */ + +/** + * Process execution result + */ +export interface ProcessResult { + success: boolean; + code: number; + stdout?: string; + stderr?: string; +} + +/** + * Process execution options + */ +export type ExecProcessOptions = { + cmd: string; + args?: string[]; + cwd?: string; + env?: Record; + stdout?: "piped" | "inherit" | "null"; + stderr?: "piped" | "inherit" | "null"; + stdin?: "piped" | "inherit" | "null"; +}; + +/** + * Preview server interface + */ +export interface PreviewServer { + /** Start the server and return the URL to browse to */ + start: () => Promise; + /** Run the server (blocking) */ + serve: () => Promise; + /** Stop the server */ + stop: () => Promise; +} + +/** + * Temporary context for managing temporary files and directories + */ +export interface TempContext { + /** Base directory for temporary files */ + baseDir: string; + /** Create a temporary file from string content and return its path */ + createFileFromString: ( + content: string, + options?: { suffix?: string; prefix?: string; dir?: string }, + ) => string; + /** Create a temporary file and return its path */ + createFile: (options?: { suffix?: string; prefix?: string; dir?: string }) => string; + /** Create a temporary directory and return its path */ + createDir: (options?: { suffix?: string; prefix?: string; dir?: string }) => string; + /** Clean up all temporary resources */ + cleanup: () => void; + /** Register a cleanup handler */ + onCleanup: (handler: VoidFunction) => void; +} diff --git a/packages/quarto-types/src/text.ts b/packages/quarto-types/src/text.ts new file mode 100644 index 00000000000..67378296ee9 --- /dev/null +++ b/packages/quarto-types/src/text.ts @@ -0,0 +1,53 @@ +/** + * Core text manipulation types for Quarto + */ + +/** + * Represents a range within a string + */ +export interface Range { + start: number; + end: number; +} + +/** + * A string with source mapping information + */ +export interface MappedString { + /** + * The text content + */ + readonly value: string; + + /** + * Optional filename where the content originated + */ + readonly fileName?: string; + + /** + * Maps positions in this string back to positions in the original source + * @param index Position in the current string + * @param closest Whether to find the closest mapping if exact is not available + */ + readonly map: (index: number, closest?: boolean) => StringMapResult; +} + +/** + * Result of mapping a position in a mapped string + */ +export type StringMapResult = { + /** + * Position in the original source + */ + index: number; + + /** + * Reference to the original mapped string + */ + originalString: MappedString; +} | undefined; + +/** + * String that may be mapped or unmapped + */ +export type EitherString = string | MappedString; \ No newline at end of file diff --git a/packages/quarto-types/tsconfig.json b/packages/quarto-types/tsconfig.json new file mode 100644 index 00000000000..237ac69389f --- /dev/null +++ b/packages/quarto-types/tsconfig.json @@ -0,0 +1,17 @@ +{ + "compilerOptions": { + "target": "ES2020", + "module": "CommonJS", + "declaration": true, + "outDir": "./dist", + "strict": true, + "esModuleInterop": true, + "skipLibCheck": true, + "forceConsistentCasingInFileNames": true, + "moduleResolution": "node", + "allowImportingTsExtensions": true, + "emitDeclarationOnly": true + }, + "include": ["src/**/*.ts"], + "exclude": ["node_modules", "dist"] +} \ No newline at end of file diff --git a/src/command/call/build-ts-extension/cmd.ts b/src/command/call/build-ts-extension/cmd.ts new file mode 100644 index 00000000000..2ce19f96a1d --- /dev/null +++ b/src/command/call/build-ts-extension/cmd.ts @@ -0,0 +1,469 @@ +/* + * cmd.ts + * + * Copyright (C) 2025 Posit Software, PBC + */ + +import { Command } from "cliffy/command/mod.ts"; +import { error, info } from "../../../deno_ral/log.ts"; +import { + architectureToolsPath, + resourcePath, +} from "../../../core/resources.ts"; +import { execProcess } from "../../../core/process.ts"; +import { basename, dirname, extname, join } from "../../../deno_ral/path.ts"; +import { existsSync } from "../../../deno_ral/fs.ts"; +import { expandGlobSync } from "../../../core/deno/expand-glob.ts"; +import { readYaml } from "../../../core/yaml.ts"; +import { warning } from "../../../deno_ral/log.ts"; + +interface DenoConfig { + compilerOptions?: Record; + importMap?: string; + imports?: Record; + bundle?: { + entryPoint?: string; + outputFile?: string; + minify?: boolean; + sourcemap?: boolean | string; + }; +} + +interface BuildOptions { + check?: boolean; + initConfig?: boolean; +} + +async function resolveConfig(): Promise< + { config: DenoConfig; configPath: string } +> { + // Look for deno.json in current directory + const cwd = Deno.cwd(); + const userConfigPath = join(cwd, "deno.json"); + + if (existsSync(userConfigPath)) { + info(`Using config: ${userConfigPath}`); + const content = Deno.readTextFileSync(userConfigPath); + const config = JSON.parse(content) as DenoConfig; + + // Validate that both importMap and imports are not present + if (config.importMap && config.imports) { + error('deno.json contains both "importMap" and "imports"\n'); + error( + 'deno.json can use either "importMap" (path to file) OR "imports" (inline mappings), but not both.\n', + ); + error("Please remove one of these fields from your deno.json."); + Deno.exit(1); + } + + return { config, configPath: userConfigPath }; + } + + // Fall back to Quarto's default config + const defaultConfigPath = resourcePath("extension-build/deno.json"); + + if (!existsSync(defaultConfigPath)) { + error("Could not find default extension-build configuration.\n"); + error("This may indicate that Quarto was not built correctly."); + error("Expected config at: " + defaultConfigPath); + Deno.exit(1); + } + + info(`Using default config: ${defaultConfigPath}`); + const content = Deno.readTextFileSync(defaultConfigPath); + const config = JSON.parse(content) as DenoConfig; + + return { config, configPath: defaultConfigPath }; +} + +async function autoDetectEntryPoint( + configEntryPoint?: string, +): Promise { + // If config specifies entry point, use it (check this first, before src/ validation) + if (configEntryPoint) { + if (!existsSync(configEntryPoint)) { + error( + `Entry point specified in deno.json does not exist: ${configEntryPoint}`, + ); + Deno.exit(1); + } + return configEntryPoint; + } + + const srcDir = "src"; + + // Check if src/ exists (only needed for auto-detection) + if (!existsSync(srcDir)) { + error("No src/ directory found.\n"); + error("Create a TypeScript file in src/:"); + error(" mkdir -p src"); + error(" touch src/my-engine.ts\n"); + error("Or specify entry point as argument:"); + error(" quarto call build-ts-extension src/my-engine.ts\n"); + + // Only show deno.json config if it already exists + if (existsSync("deno.json")) { + error("Or configure in deno.json:"); + error(" {"); + error(' "bundle": {'); + error(' "entryPoint": "path/to/file.ts"'); + error(" }"); + error(" }"); + } + Deno.exit(1); + } + + // Find .ts files in src/ + const tsFiles: string[] = []; + for await (const entry of Deno.readDir(srcDir)) { + if (entry.isFile && entry.name.endsWith(".ts")) { + tsFiles.push(entry.name); + } + } + + // Resolution logic + if (tsFiles.length === 0) { + error("No .ts files found in src/\n"); + error("Create a TypeScript file:"); + error(" touch src/my-engine.ts"); + Deno.exit(1); + } + + if (tsFiles.length === 1) { + return join(srcDir, tsFiles[0]); + } + + // Multiple files - require mod.ts + if (tsFiles.includes("mod.ts")) { + return join(srcDir, "mod.ts"); + } + + error(`Multiple .ts files found in src/: ${tsFiles.join(", ")}\n`); + error("Specify entry point as argument:"); + error(" quarto call build-ts-extension src/my-engine.ts\n"); + error("Or rename one file to mod.ts:"); + error(` mv src/${tsFiles[0]} src/mod.ts\n`); + + // Only show deno.json config if it already exists + if (existsSync("deno.json")) { + error("Or configure in deno.json:"); + error(" {"); + error(' "bundle": {'); + error(' "entryPoint": "src/my-engine.ts"'); + error(" }"); + error(" }"); + } + + Deno.exit(1); +} + +function inferFilename(entryPoint: string): string { + // Get the base name without extension, add .js + const fileName = basename(entryPoint, extname(entryPoint)); + return `${fileName}.js`; +} + +function inferOutputPath( + outputFilename: string, + userSpecifiedFilename?: string, +): string { + // Derive extension name from filename for error messages + const extensionName = basename(outputFilename, extname(outputFilename)); + + // Find the extension directory by looking for _extension.yml + const extensionsDir = "_extensions"; + if (!existsSync(extensionsDir)) { + error("No _extensions/ directory found.\n"); + + if (userSpecifiedFilename) { + // User specified a filename in deno.json - offer path prefix option + error( + `You specified outputFile: "${userSpecifiedFilename}" in deno.json.`, + ); + error("To write to the current directory, use a path prefix:"); + error(` "outputFile": "./${userSpecifiedFilename}"\n`); + error("Or create an extension structure:"); + } else { + // Auto-detection mode - standard error + error( + "Extension projects must have an _extensions/ directory with _extension.yml.", + ); + error("Create the extension structure:"); + } + + error(` mkdir -p _extensions/${extensionName}`); + error(` touch _extensions/${extensionName}/_extension.yml`); + Deno.exit(1); + } + + // Find all _extension.yml files using glob pattern + const extensionYmlFiles: string[] = []; + for (const entry of expandGlobSync("_extensions/**/_extension.yml")) { + extensionYmlFiles.push(dirname(entry.path)); + } + + if (extensionYmlFiles.length === 0) { + error("No _extension.yml found in _extensions/ subdirectories.\n"); + error( + "Extension projects must have _extension.yml in a subdirectory of _extensions/.", + ); + error("Create the extension metadata:"); + error(` touch _extensions/${extensionName}/_extension.yml`); + Deno.exit(1); + } + + if (extensionYmlFiles.length > 1) { + const extensionNames = extensionYmlFiles.map((path) => + path.replace("_extensions/", "") + ); + error( + `Multiple extension directories found: ${extensionNames.join(", ")}\n`, + ); + + if (existsSync("deno.json")) { + // User already has deno.json - show them how to configure it + // Use relative path in example (strip absolute path prefix) + const relativeExtPath = extensionYmlFiles[0].replace( + /^.*\/_extensions\//, + "_extensions/", + ); + error("Specify the output path in deno.json:"); + error(" {"); + error(' "bundle": {'); + error(` "outputFile": "${relativeExtPath}/${outputFilename}"`); + error(" }"); + error(" }"); + } else { + // No deno.json - guide them to create one if this is intentional + error("This tool doesn't currently support multi-extension projects."); + error( + "Use `quarto call build-ts-extension --init-config` to create a deno.json if this is intentional.", + ); + } + Deno.exit(1); + } + + // Use the single extension directory found + return join(extensionYmlFiles[0], outputFilename); +} + +async function bundle( + entryPoint: string, + config: DenoConfig, + configPath: string, +): Promise { + info("Bundling..."); + + const denoBinary = Deno.env.get("QUARTO_DENO") || + architectureToolsPath("deno"); + + // Determine output path + let outputPath: string; + if (config.bundle?.outputFile) { + const specifiedOutput = config.bundle.outputFile; + // Check if it's just a filename (no path separators) + if (!specifiedOutput.includes("/") && !specifiedOutput.includes("\\")) { + // Just filename - infer directory from _extension.yml + // Pass the user-specified filename for better error messages + outputPath = inferOutputPath(specifiedOutput, specifiedOutput); + } else { + // Full path specified - use as-is + outputPath = specifiedOutput; + } + } else { + // Nothing specified - infer both directory and filename + const filename = inferFilename(entryPoint); + outputPath = inferOutputPath(filename); + } + + // Ensure output directory exists + const outputDir = dirname(outputPath); + if (!existsSync(outputDir)) { + Deno.mkdirSync(outputDir, { recursive: true }); + } + + // Build deno bundle arguments + const args = [ + "bundle", + `--config=${configPath}`, + `--output=${outputPath}`, + entryPoint, + ]; + + // Add optional flags + if (config.bundle?.minify) { + args.push("--minify"); + } + + if (config.bundle?.sourcemap) { + const sourcemapValue = config.bundle.sourcemap; + if (typeof sourcemapValue === "string") { + args.push(`--sourcemap=${sourcemapValue}`); + } else { + args.push("--sourcemap"); + } + } + + const result = await execProcess({ + cmd: denoBinary, + args, + cwd: Deno.cwd(), + }); + + if (!result.success) { + error("deno bundle failed"); + if (result.stderr) { + error(result.stderr); + } + Deno.exit(1); + } + + // Validate that _extension.yml path matches output filename + validateExtensionYml(outputPath); + + info(`✓ Built ${entryPoint} → ${outputPath}`); +} + +function validateExtensionYml(outputPath: string): void { + // Find _extension.yml in the same directory as output + const extensionDir = dirname(outputPath); + const extensionYmlPath = join(extensionDir, "_extension.yml"); + + if (!existsSync(extensionYmlPath)) { + return; // No _extension.yml, can't validate + } + + try { + const yml = readYaml(extensionYmlPath); + const engines = yml?.contributes?.engines; + + if (Array.isArray(engines)) { + const outputFilename = basename(outputPath); + + for (const engine of engines) { + const enginePath = typeof engine === "string" ? engine : engine?.path; + if (enginePath && enginePath !== outputFilename) { + warning( + `_extension.yml specifies engine path "${enginePath}" but built file is "${outputFilename}"`, + ); + warning(` Update _extension.yml to: path: ${outputFilename}`); + } + } + } + } catch { + // Ignore YAML parsing errors + } +} + +async function initializeConfig(): Promise { + const configPath = "deno.json"; + + // Check if deno.json already exists + if (existsSync(configPath)) { + const importMapPath = resourcePath("extension-build/import-map.json"); + error("deno.json already exists\n"); + error("To use Quarto's default config, remove the existing deno.json."); + error("Or manually add the importMap to your existing config:"); + info(` "importMap": "${importMapPath}"`); + Deno.exit(1); + } + + // Get absolute path to Quarto's import map + const importMapPath = resourcePath("extension-build/import-map.json"); + + // Create minimal config + const config = { + compilerOptions: { + strict: true, + lib: ["deno.ns", "DOM", "ES2021"], + }, + importMap: importMapPath, + }; + + // Write deno.json + Deno.writeTextFileSync( + configPath, + JSON.stringify(config, null, 2) + "\n", + ); + + // Inform user + info("✓ Created deno.json"); + info(` Import map: ${importMapPath}`); + info(""); + info("Customize as needed:"); + info(' - Add "bundle" section for build options:'); + info(' "entryPoint": "src/my-engine.ts"'); + info(' "outputFile": "_extensions/my-engine/my-engine.js"'); + info(' "minify": true'); + info(' "sourcemap": true'); + info(' - Modify "compilerOptions" for type-checking behavior'); +} + +export const buildTsExtensionCommand = new Command() + .name("build-ts-extension") + .arguments("[entry-point:string]") + .description( + "Build TypeScript execution engine extensions.\n\n" + + "This command type-checks and bundles TypeScript extensions " + + "into single JavaScript files using Quarto's bundled deno bundle.\n\n" + + "The entry point is determined by:\n" + + " 1. [entry-point] command-line argument (if specified)\n" + + " 2. bundle.entryPoint in deno.json (if specified)\n" + + " 3. Single .ts file in src/ directory\n" + + " 4. src/mod.ts (if multiple .ts files exist)", + ) + .option("--check", "Type-check only (skip bundling)") + .option( + "--init-config", + "Generate deno.json with absolute importMap path", + ) + .action(async (options: BuildOptions, entryPointArg?: string) => { + try { + // Handle --init-config flag first (don't build) + if (options.initConfig) { + await initializeConfig(); + return; + } + + // 1. Resolve configuration + const { config, configPath } = await resolveConfig(); + + // 2. Resolve entry point (CLI arg takes precedence) + const entryPoint = entryPointArg || + await autoDetectEntryPoint( + config.bundle?.entryPoint, + ); + info(`Entry point: ${entryPoint}`); + + // 3. Type-check or bundle + if (options.check) { + // Just type-check + info("Type-checking..."); + const denoBinary = Deno.env.get("QUARTO_DENO") || + architectureToolsPath("deno"); + const result = await execProcess({ + cmd: denoBinary, + args: ["check", `--config=${configPath}`, entryPoint], + cwd: Deno.cwd(), + }); + if (!result.success) { + error("Type check failed\n"); + error( + "See errors above. Fix type errors in your code or adjust compilerOptions in deno.json.", + ); + Deno.exit(1); + } + info("✓ Type check passed"); + } else { + // Type-check and bundle (deno bundle does both) + await bundle(entryPoint, config, configPath); + } + } catch (e) { + if (e instanceof Error) { + error(e.message); + } else { + error(String(e)); + } + Deno.exit(1); + } + }); diff --git a/src/command/call/cmd.ts b/src/command/call/cmd.ts index 1fd10c50b6a..de8d6255197 100644 --- a/src/command/call/cmd.ts +++ b/src/command/call/cmd.ts @@ -1,10 +1,15 @@ import { Command } from "cliffy/command/mod.ts"; import { engineCommand } from "../../execute/engine.ts"; +import { buildTsExtensionCommand } from "./build-ts-extension/cmd.ts"; export const callCommand = new Command() .name("call") - .description("Access functions of Quarto subsystems such as its rendering engines.") + .description( + "Access functions of Quarto subsystems such as its rendering engines.", + ) .action(() => { callCommand.showHelp(); Deno.exit(1); - }).command("engine", engineCommand); + }) + .command("engine", engineCommand) + .command("build-ts-extension", buildTsExtensionCommand); diff --git a/src/command/check/check-render.ts b/src/command/check/check-render.ts new file mode 100644 index 00000000000..935cb45d690 --- /dev/null +++ b/src/command/check/check-render.ts @@ -0,0 +1,61 @@ +/* + * check-render.ts + * + * Copyright (C) 2020-2022 Posit Software, PBC + */ + +import { render } from "../render/render-shared.ts"; +import type { RenderServiceWithLifetime } from "../render/types.ts"; + +/** + * Options for test-rendering a document during check operations + */ +export interface CheckRenderOptions { + /** Markdown content to render */ + content: string; + /** Language identifier (e.g., "python", "r", "julia") */ + language: string; + /** Render services for temp file management and rendering */ + services: RenderServiceWithLifetime; +} + +/** + * Result of a check render operation + */ +export interface CheckRenderResult { + /** Whether the render succeeded */ + success: boolean; + /** Error if render failed */ + error?: Error; +} + +/** + * Test-render a document for validation during check operations + * + * Creates a temporary file with the provided content, renders it with + * appropriate engine settings, and returns success/failure status. + * Used by checkInstallation implementations to verify engines work. + */ +export async function checkRender( + options: CheckRenderOptions, +): Promise { + const { content, services } = options; + + // Create temporary file + const tempFile = services.temp.createFile({ suffix: ".qmd" }); + + // Write content to file + Deno.writeTextFileSync(tempFile, content); + + // Render with appropriate flags + const result = await render(tempFile, { + services, + flags: { quiet: true, executeDaemon: 0 }, + }); + + // Return simplified result + return { + success: !result.error, + error: result.error, + }; +} diff --git a/src/command/check/check.ts b/src/command/check/check.ts index 9a7aaaa5606..9108fa50665 100644 --- a/src/command/check/check.ts +++ b/src/command/check/check.ts @@ -9,24 +9,7 @@ import { info } from "../../deno_ral/log.ts"; import { render } from "../render/render-shared.ts"; import { renderServices } from "../render/render-services.ts"; -import { JupyterCapabilities } from "../../core/jupyter/types.ts"; -import { jupyterCapabilities } from "../../core/jupyter/capabilities.ts"; -import { - jupyterCapabilitiesJson, - jupyterCapabilitiesMessage, - jupyterInstallationMessage, - jupyterUnactivatedEnvMessage, - pythonInstallationMessage, -} from "../../core/jupyter/jupyter-shared.ts"; import { completeMessage, withSpinner } from "../../core/console.ts"; -import { - checkRBinary, - KnitrCapabilities, - knitrCapabilities, - knitrCapabilitiesMessage, - knitrInstallationMessage, - rInstallationMessage, -} from "../../core/knitr.ts"; import { quartoConfig } from "../../core/quarto.ts"; import { cacheCodePage, @@ -34,7 +17,6 @@ import { readCodePage, } from "../../core/windows.ts"; import { RenderServiceWithLifetime } from "../render/types.ts"; -import { jupyterKernelspecForLanguage } from "../../core/jupyter/kernels.ts"; import { execProcess } from "../../core/process.ts"; import { pandocBinaryPath } from "../../core/resources.ts"; import { lines } from "../../core/text.ts"; @@ -50,23 +32,27 @@ import { quartoCacheDir } from "../../core/appdirs.ts"; import { isWindows } from "../../deno_ral/platform.ts"; import { makeStringEnumTypeEnforcer } from "../../typing/dynamic.ts"; import { findChrome } from "../../core/puppeteer.ts"; +import { executionEngines } from "../../execute/engine.ts"; -export const kTargets = [ - "install", - "info", - "jupyter", - "knitr", - "versions", - "all", -] as const; -export type Target = typeof kTargets[number]; -export const enforceTargetType = makeStringEnumTypeEnforcer(...kTargets); +export function getTargets(): readonly string[] { + const checkableEngineNames = executionEngines() + .filter((engine) => engine.checkInstallation) + .map((engine) => engine.name); + + return ["install", "info", ...checkableEngineNames, "versions", "all"]; +} + +export type Target = string; +export function enforceTargetType(value: unknown): Target { + const targets = getTargets(); + return makeStringEnumTypeEnforcer(...targets)(value); +} const kIndent = " "; type CheckJsonResult = Record; -type CheckConfiguration = { +export type CheckConfiguration = { strict: boolean; target: Target; output: string | undefined; @@ -110,13 +96,12 @@ export async function check( } checkInfoMsg(conf, `Quarto ${quartoConfig.version()}`); + // Fixed checks (non-engine) for ( const [name, checker] of [ ["info", checkInfo], ["versions", checkVersions], ["install", checkInstall], - ["jupyter", checkJupyterInstallation], - ["knitr", checkKnitrInstallation], ] as const ) { if (target === name || target === "all") { @@ -124,6 +109,15 @@ export async function check( } } + // Dynamic engine checks + for (const engine of executionEngines()) { + if ( + engine.checkInstallation && (target === engine.name || target === "all") + ) { + await engine.checkInstallation(conf); + } + } + if (conf.jsonResult && conf.output) { await Deno.writeTextFile( conf.output, @@ -531,232 +525,3 @@ title: "Title" }, markdownRenderCb); } } - -async function checkJupyterInstallation(conf: CheckConfiguration) { - const kMessage = "Checking Python 3 installation...."; - const jupyterJson: Record = {}; - if (conf.jsonResult) { - (conf.jsonResult.tools as Record).jupyter = jupyterJson; - } - let caps: JupyterCapabilities | undefined; - if (conf.jsonResult) { - caps = await jupyterCapabilities(); - } else { - await withSpinner({ - message: kMessage, - doneMessage: false, - }, async () => { - caps = await jupyterCapabilities(); - }); - } - if (caps) { - checkCompleteMessage(conf, kMessage + "OK"); - if (conf.jsonResult) { - jupyterJson["capabilities"] = await jupyterCapabilitiesJson(caps); - } else { - checkInfoMsg(conf, await jupyterCapabilitiesMessage(caps, kIndent)); - } - checkInfoMsg(conf, ""); - if (caps.jupyter_core) { - if (await jupyterKernelspecForLanguage("python")) { - const kJupyterMessage = "Checking Jupyter engine render...."; - if (conf.jsonResult) { - await checkJupyterRender(conf); - } else { - await withSpinner({ - message: kJupyterMessage, - doneMessage: kJupyterMessage + "OK\n", - }, async () => { - await checkJupyterRender(conf); - }); - } - } else { - jupyterJson["kernels"] = []; - checkInfoMsg( - conf, - kIndent + "NOTE: No Jupyter kernel for Python found", - ); - checkInfoMsg(conf, ""); - } - } else { - const installMessage = jupyterInstallationMessage(caps, kIndent); - checkInfoMsg(conf, installMessage); - checkInfoMsg(conf, ""); - jupyterJson["installed"] = false; - jupyterJson["how-to-install"] = installMessage; - const envMessage = jupyterUnactivatedEnvMessage(caps, kIndent); - if (envMessage) { - checkInfoMsg(conf, envMessage); - checkInfoMsg(conf, ""); - jupyterJson["env"] = { - "warning": envMessage, - }; - } - } - } else { - checkCompleteMessage(conf, kMessage + "(None)\n"); - const msg = pythonInstallationMessage(kIndent); - jupyterJson["installed"] = false; - jupyterJson["how-to-install-python"] = msg; - checkInfoMsg(conf, msg); - checkInfoMsg(conf, ""); - } -} - -async function checkJupyterRender(conf: CheckConfiguration) { - const { - services, - } = conf; - const json: Record = {}; - if (conf.jsonResult) { - (conf.jsonResult.render as Record).jupyter = json; - } - const qmdPath = services.temp.createFile({ suffix: "check.qmd" }); - Deno.writeTextFileSync( - qmdPath, - ` ---- -title: "Title" ---- - -## Header - -\`\`\`{python} -1 + 1 -\`\`\` -`, - ); - const result = await render(qmdPath, { - services, - flags: { quiet: true, executeDaemon: 0 }, - }); - if (result.error) { - if (!conf.jsonResult) { - throw result.error; - } else { - json["error"] = result.error; - } - } else { - json["ok"] = true; - } -} - -async function checkKnitrInstallation(conf: CheckConfiguration) { - const kMessage = "Checking R installation..........."; - let caps: KnitrCapabilities | undefined; - let rBin: string | undefined; - const json: Record = {}; - if (conf.jsonResult) { - (conf.jsonResult.tools as Record).knitr = json; - } - const knitrCb = async () => { - rBin = await checkRBinary(); - caps = await knitrCapabilities(rBin); - }; - if (conf.jsonResult) { - await knitrCb(); - } else { - await withSpinner({ - message: kMessage, - doneMessage: false, - }, knitrCb); - } - if (rBin && caps) { - checkCompleteMessage(conf, kMessage + "OK"); - checkInfoMsg(conf, knitrCapabilitiesMessage(caps, kIndent)); - checkInfoMsg(conf, ""); - if (caps.packages.rmarkdownVersOk && caps.packages.knitrVersOk) { - const kKnitrMessage = "Checking Knitr engine render......"; - if (conf.jsonResult) { - await checkKnitrRender(conf); - } else { - await withSpinner({ - message: kKnitrMessage, - doneMessage: kKnitrMessage + "OK\n", - }, async () => { - await checkKnitrRender(conf); - }); - } - } else { - // show install message if not available - // or update message if not up to date - json["installed"] = false; - if (!caps.packages.knitr || !caps.packages.knitrVersOk) { - const msg = knitrInstallationMessage( - kIndent, - "knitr", - !!caps.packages.knitr && !caps.packages.knitrVersOk, - ); - checkInfoMsg(conf, msg); - json["how-to-install-knitr"] = msg; - } - if (!caps.packages.rmarkdown || !caps.packages.rmarkdownVersOk) { - const msg = knitrInstallationMessage( - kIndent, - "rmarkdown", - !!caps.packages.rmarkdown && !caps.packages.rmarkdownVersOk, - ); - checkInfoMsg(conf, msg); - json["how-to-install-rmarkdown"] = msg; - } - checkInfoMsg(conf, ""); - } - } else if (rBin === undefined) { - checkCompleteMessage(conf, kMessage + "(None)\n"); - const msg = rInstallationMessage(kIndent); - checkInfoMsg(conf, msg); - json["installed"] = false; - checkInfoMsg(conf, ""); - } else if (caps === undefined) { - json["installed"] = false; - checkCompleteMessage(conf, kMessage + "(None)\n"); - const msgs = [ - `R succesfully found at ${rBin}.`, - "However, a problem was encountered when checking configurations of packages.", - "Please check your installation of R.", - ]; - msgs.forEach((msg) => { - checkInfoMsg(conf, msg); - }); - json["error"] = msgs.join("\n"); - checkInfoMsg(conf, ""); - } -} - -async function checkKnitrRender(conf: CheckConfiguration) { - const { - services, - } = conf; - const json: Record = {}; - if (conf.jsonResult) { - (conf.jsonResult.render as Record).knitr = json; - } - const rmdPath = services.temp.createFile({ suffix: "check.rmd" }); - Deno.writeTextFileSync( - rmdPath, - ` ---- -title: "Title" ---- - -## Header - -\`\`\`{r} -1 + 1 -\`\`\` -`, - ); - const result = await render(rmdPath, { - services, - flags: { quiet: true }, - }); - if (result.error) { - if (!conf.jsonResult) { - throw result.error; - } else { - json["error"] = result.error; - } - } else { - json["ok"] = true; - } -} diff --git a/src/command/check/cmd.ts b/src/command/check/cmd.ts index 124d0aa6dc8..d08e49dd4c2 100644 --- a/src/command/check/cmd.ts +++ b/src/command/check/cmd.ts @@ -26,8 +26,19 @@ export const checkCommand = new Command() // deno-lint-ignore no-explicit-any .action(async (options: any, targetStr?: string) => { targetStr = targetStr || "all"; + + // Initialize project context and register external engines + // Dynamic import to avoid static import chain that triggers esbuild bundling issues + const { initializeProjectContextAndEngines } = await import( + "../command-utils.ts" + ); + await initializeProjectContextAndEngines(); + + // Validate target (now that all engines including external ones are loaded) + const target = enforceTargetType(targetStr); + await check( - enforceTargetType(targetStr), + target, options.strict, options.output, ); diff --git a/src/command/command-utils.ts b/src/command/command-utils.ts new file mode 100644 index 00000000000..c649a50c9a9 --- /dev/null +++ b/src/command/command-utils.ts @@ -0,0 +1,76 @@ +/* + * command-utils.ts + * + * Copyright (C) 2020-2022 Posit Software, PBC + */ + +import { initYamlIntelligenceResourcesFromFilesystem } from "../core/schema/utils.ts"; +import type { ProjectContext } from "../project/types.ts"; + +/** + * Create a minimal "zero-file" project context for loading bundled engine extensions + * when no actual project or file exists. + * + * This is needed for commands like `quarto check julia` that run outside any project + * but still need access to bundled engines. The context provides just enough structure + * to discover and register bundled engine extensions. + * + * @param dir - Directory to use as the base (defaults to current working directory) + * @returns A minimal ProjectContext with bundled engines loaded + */ +async function zeroFileProjectContext(dir?: string): Promise { + const { createExtensionContext } = await import( + "../extension/extension.ts" + ); + const { resolveEngineExtensions } = await import( + "../project/project-context.ts" + ); + + const extensionContext = createExtensionContext(); + const config = await resolveEngineExtensions( + extensionContext, + { project: {} }, + dir || Deno.cwd(), + ); + + // Return a minimal project context with the resolved engine config + return { + dir: dir || Deno.cwd(), + config, + } as ProjectContext; +} + +/** + * Initialize project context and register external engines from project config. + * + * This consolidates the common pattern of: + * 1. Loading YAML intelligence resources + * 2. Creating project context + * 3. Registering external engines via reorderEngines() + * + * If no project is found, a zero-file context is created to load bundled engine + * extensions (like Julia), ensuring they're available for commands like `quarto check julia`. + * + * @param dir - Optional directory path (defaults to current working directory) + */ +export async function initializeProjectContextAndEngines( + dir?: string, +): Promise { + // Dynamic imports to avoid async module initialization chain in bundle + const { projectContext } = await import("../project/project-context.ts"); + const { notebookContext } = await import( + "../render/notebook/notebook-context.ts" + ); + const { reorderEngines } = await import("../execute/engine.ts"); + + // Initialize YAML intelligence resources (required for project context) + await initYamlIntelligenceResourcesFromFilesystem(); + + // Load project context if we're in a project directory, or create a zero-file + // context to load bundled engines when no project exists + const context = await projectContext(dir || Deno.cwd(), notebookContext()) || + await zeroFileProjectContext(dir); + + // Register external engines from project config + await reorderEngines(context); +} diff --git a/src/command/create/artifacts/artifact-shared.ts b/src/command/create/artifacts/artifact-shared.ts index 08a2b4b7621..68fadb83295 100644 --- a/src/command/create/artifacts/artifact-shared.ts +++ b/src/command/create/artifacts/artifact-shared.ts @@ -145,6 +145,8 @@ export async function ejsData( author: author.trim(), version, quartoversion, + cellLanguage: (createDirective.options?.cellLanguage as string) || + filesafename, }; } diff --git a/src/command/create/artifacts/extension.ts b/src/command/create/artifacts/extension.ts index 6b951eccbc5..2adc5f220f4 100644 --- a/src/command/create/artifacts/extension.ts +++ b/src/command/create/artifacts/extension.ts @@ -15,12 +15,13 @@ import { ejsData, renderAndCopyArtifacts } from "./artifact-shared.ts"; import { resourcePath } from "../../../core/resources.ts"; import { Input, Select } from "cliffy/prompt/mod.ts"; -import { join } from "../../../deno_ral/path.ts"; -import { existsSync } from "../../../deno_ral/fs.ts"; +import { dirname, join } from "../../../deno_ral/path.ts"; +import { copySync, ensureDirSync, existsSync } from "../../../deno_ral/fs.ts"; const kType = "type"; const kSubType = "subtype"; const kName = "name"; +const kCellLanguage = "cellLanguage"; const kTypeExtension = "extension"; @@ -42,6 +43,7 @@ const kExtensionTypes: Array = [ { name: "custom format", value: "format", openfiles: ["template.qmd"] }, { name: "metadata", value: "metadata", openfiles: [] }, { name: "brand", value: "brand", openfiles: [] }, + { name: "engine", value: "engine", openfiles: ["example.qmd"] }, ]; const kExtensionSubtypes: Record = { @@ -63,8 +65,10 @@ export const extensionArtifactCreator: ArtifactCreator = { function resolveOptions(args: string[]): Record { // The first argument is the extension type // The second argument is the name + // The third argument is the cell language (for engine extensions) const typeRaw = args.length > 0 ? args[0] : undefined; const nameRaw = args.length > 1 ? args[1] : undefined; + const cellLanguageRaw = args.length > 2 ? args[2] : undefined; const options: Record = {}; @@ -80,6 +84,11 @@ function resolveOptions(args: string[]): Record { options[kName] = nameRaw; } + // For engine type, populate the cell language if provided + if (cellLanguageRaw && options[kType] === "engine") { + options[kCellLanguage] = cellLanguageRaw; + } + return options; } @@ -124,6 +133,7 @@ function finalizeOptions(createOptions: CreateContext) { createOptions.options[kName] as string, ), template, + options: createOptions.options, } as CreateDirective; } @@ -172,6 +182,19 @@ function nextPrompt( type: Input, }; } + + // Collect cell language for engine extensions + if ( + createOptions.options[kType] === "engine" && + !createOptions.options[kCellLanguage] + ) { + return { + name: kCellLanguage, + message: "Default cell language name", + type: Input, + default: createOptions.options[kName] as string, + }; + } } function typeFromTemplate(template: string) { diff --git a/src/command/dev-call/cmd.ts b/src/command/dev-call/cmd.ts index 30f3346a75d..b9a07f44b9b 100644 --- a/src/command/dev-call/cmd.ts +++ b/src/command/dev-call/cmd.ts @@ -5,6 +5,7 @@ import { buildJsCommand } from "./build-artifacts/cmd.ts"; import { validateYamlCommand } from "./validate-yaml/cmd.ts"; import { showAstTraceCommand } from "./show-ast-trace/cmd.ts"; import { makeAstDiagramCommand } from "./make-ast-diagram/cmd.ts"; +import { pullGitSubtreeCommand } from "./pull-git-subtree/cmd.ts"; type CommandOptionInfo = { name: string; @@ -75,4 +76,5 @@ export const devCallCommand = new Command() .command("validate-yaml", validateYamlCommand) .command("build-artifacts", buildJsCommand) .command("show-ast-trace", showAstTraceCommand) - .command("make-ast-diagram", makeAstDiagramCommand); + .command("make-ast-diagram", makeAstDiagramCommand) + .command("pull-git-subtree", pullGitSubtreeCommand); diff --git a/src/command/dev-call/pull-git-subtree/cmd.ts b/src/command/dev-call/pull-git-subtree/cmd.ts new file mode 100644 index 00000000000..13fce1df820 --- /dev/null +++ b/src/command/dev-call/pull-git-subtree/cmd.ts @@ -0,0 +1,229 @@ +/* + * cmd.ts + * + * Copyright (C) 2025 Posit Software, PBC + */ + +import { Command } from "cliffy/command/mod.ts"; +import { gitCmdOutput, gitCmds } from "../../../core/git.ts"; +import { debug, error, info } from "../../../deno_ral/log.ts"; +import { logLevel } from "../../../core/log.ts"; + +interface SubtreeConfig { + name: string; + prefix: string; + remoteUrl: string; + remoteBranch: string; +} + +// Subtree configurations - update these with actual repositories +const SUBTREES: SubtreeConfig[] = [ + { + name: "julia-engine", + prefix: "src/resources/extension-subtrees/julia-engine", + remoteUrl: "https://github.com/gordonwoodhull/quarto-julia-engine.git", + remoteBranch: "main", + }, + // Add more subtrees here as needed +]; + +async function findLastSplit( + quartoRoot: string, + prefix: string, +): Promise { + try { + debug( + `Searching for last split with grep pattern: git-subtree-dir: ${prefix}$`, + ); + const log = await gitCmdOutput(quartoRoot, [ + "log", + `--grep=git-subtree-dir: ${prefix}$`, + "-1", + "--pretty=%b", + ]); + + debug(`Git log output: ${log}`); + const splitLine = log.split("\n").find((line) => + line.startsWith("git-subtree-split:") + ); + if (!splitLine) { + debug("No split line found in log output"); + return null; + } + + const splitCommit = splitLine.split(/\s+/)[1]; + debug(`Found last split commit: ${splitCommit}`); + return splitCommit; + } catch (e) { + debug(`Error finding last split: ${e}`); + return null; + } +} + +async function pullSubtree( + quartoRoot: string, + config: SubtreeConfig, +): Promise { + info(`\n=== Pulling subtree: ${config.name} ===`); + info(`Prefix: ${config.prefix}`); + info(`Remote: ${config.remoteUrl}`); + info(`Branch: ${config.remoteBranch}`); + + // Fetch from remote + info("Fetching..."); + await gitCmds(quartoRoot, [ + ["fetch", config.remoteUrl, config.remoteBranch], + ]); + + // Check what FETCH_HEAD points to + const fetchHead = await gitCmdOutput(quartoRoot, ["rev-parse", "FETCH_HEAD"]); + debug(`FETCH_HEAD resolves to: ${fetchHead.trim()}`); + + // Check if prefix directory exists + const prefixPath = `${quartoRoot}/${config.prefix}`; + let prefixExists = false; + try { + const stat = await Deno.stat(prefixPath); + prefixExists = stat.isDirectory; + debug(`Prefix directory exists: ${prefixExists} (${prefixPath})`); + } catch { + debug(`Prefix directory does not exist: ${prefixPath}`); + } + + // Find last split point + let lastSplit = await findLastSplit(quartoRoot, config.prefix); + + if (!lastSplit) { + info("No previous subtree found - using 'git subtree add'"); + await gitCmds(quartoRoot, [ + [ + "subtree", + "add", + "--squash", + `--prefix=${config.prefix}`, + config.remoteUrl, + config.remoteBranch, + ], + ]); + lastSplit = await gitCmdOutput(quartoRoot, ["rev-parse", "FETCH_HEAD^"]); + debug(`After subtree add, lastSplit set to: ${lastSplit.trim()}`); + } + + // Check for new commits + const commitRange = `${lastSplit}..FETCH_HEAD`; + debug(`Checking commit range: ${commitRange}`); + + const hasNewCommits = await gitCmdOutput(quartoRoot, [ + "log", + "--oneline", + commitRange, + "-1", + ]); + + if (!hasNewCommits.trim()) { + info("No new commits to merge"); + debug(`Commit range ${commitRange} has no commits`); + if (!prefixExists) { + info("WARNING: Prefix directory doesn't exist but no new commits found!"); + debug("This may indicate lastSplit was found on a different branch"); + } + return; + } + + debug(`Found new commits in range ${commitRange}`); + + // Do the subtree pull + info("Running git subtree pull --squash..."); + await gitCmds(quartoRoot, [ + [ + "subtree", + "pull", + "--squash", + `--prefix=${config.prefix}`, + config.remoteUrl, + config.remoteBranch, + ], + ]); + + info("✓ Done!"); +} + +export const pullGitSubtreeCommand = new Command() + .name("pull-git-subtree") + .hidden() + .arguments("[name:string]") + .description( + "Pull configured git subtrees.\n\n" + + "This command pulls from configured subtree repositories " + + "using --squash, which creates two commits: a squash commit " + + "containing the subtree changes and a merge commit that " + + "integrates it into your branch.\n\n" + + "Arguments:\n" + + " [name] Name of subtree to pull (use 'all' or omit to pull all)", + ) + .action(async (_options: unknown, nameArg?: string) => { + // Get quarto root directory + const quartoRoot = Deno.env.get("QUARTO_ROOT"); + if (!quartoRoot) { + error( + "QUARTO_ROOT environment variable not set. This command requires a development version of Quarto.", + ); + Deno.exit(1); + } + + // Show current branch for debugging (only if debug logging enabled) + if (logLevel() === "DEBUG") { + try { + const currentBranch = await gitCmdOutput(quartoRoot, [ + "branch", + "--show-current", + ]); + debug(`Current branch: ${currentBranch.trim()}`); + } catch (e) { + debug(`Unable to determine current branch: ${e}`); + } + } + + // Determine which subtrees to pull + let subtreesToPull: SubtreeConfig[]; + + if (!nameArg || nameArg === "all") { + // Pull all subtrees + subtreesToPull = SUBTREES; + info(`Quarto root: ${quartoRoot}`); + info(`Processing all ${SUBTREES.length} subtree(s)...`); + } else { + // Pull specific subtree by name + const config = SUBTREES.find((s) => s.name === nameArg); + if (!config) { + error(`Unknown subtree name: ${nameArg}`); + error(`Available subtrees: ${SUBTREES.map((s) => s.name).join(", ")}`); + Deno.exit(1); + } + subtreesToPull = [config]; + info(`Quarto root: ${quartoRoot}`); + info(`Processing subtree: ${nameArg}`); + } + + let successCount = 0; + let errorCount = 0; + + for (const config of subtreesToPull) { + try { + await pullSubtree(quartoRoot, config); + successCount++; + } catch (err) { + const message = err instanceof Error ? err.message : String(err); + error(`Failed to pull subtree ${config.name}: ${message}`); + errorCount++; + } + } + + info(`\n=== Summary ===`); + info(`Success: ${successCount}`); + info(`Failed: ${errorCount}`); + + if (errorCount > 0) { + Deno.exit(1); + } + }); diff --git a/src/command/preview/preview.ts b/src/command/preview/preview.ts index aab909630b1..8617beefad4 100644 --- a/src/command/preview/preview.ts +++ b/src/command/preview/preview.ts @@ -418,6 +418,7 @@ export async function renderForPreview( pandocArgs: string[], project?: ProjectContext, ): Promise { + // render const renderResult = await render(file, { services, diff --git a/src/command/render/codetools.ts b/src/command/render/codetools.ts index 5954f6e085b..d7a7cee1d5f 100644 --- a/src/command/render/codetools.ts +++ b/src/command/render/codetools.ts @@ -20,7 +20,10 @@ import { kCodeToolsViewSource, kKeepSource, } from "../../config/constants.ts"; -import { ExecutionEngine, ExecutionTarget } from "../../execute/types.ts"; +import { + ExecutionEngineInstance, + ExecutionTarget, +} from "../../execute/types.ts"; import { isHtmlOutput } from "../../config/format.ts"; import { executionEngineCanKeepSource } from "../../execute/engine-info.ts"; @@ -47,7 +50,7 @@ export function formatHasCodeTools(format: Format) { export function resolveKeepSource( format: Format, - engine: ExecutionEngine, + engine: ExecutionEngineInstance, target: ExecutionTarget, ) { // keep source if requested (via keep-source or code-tools), we are targeting html, diff --git a/src/command/render/pandoc.ts b/src/command/render/pandoc.ts index 91b4371db40..12d35de35d5 100644 --- a/src/command/render/pandoc.ts +++ b/src/command/render/pandoc.ts @@ -429,6 +429,22 @@ export async function runPandoc( // Don't print _quarto.tests // This can cause issue on regex test for printed output cleanQuartoTestsMetadata(metadata); + + // Filter out bundled engines from the engines array + if (Array.isArray(metadata.engines)) { + const filteredEngines = metadata.engines.filter((engine) => { + const enginePath = typeof engine === "string" ? engine : engine.path; + // Keep user engines, filter out bundled ones + return !enginePath?.includes("/src/resources/extension-subtrees/"); + }); + + // Remove the engines key entirely if empty, otherwise assign filtered array + if (filteredEngines.length === 0) { + delete metadata.engines; + } else { + metadata.engines = filteredEngines; + } + } }; cleanMetadataForPrinting(printMetadata); @@ -1293,6 +1309,23 @@ export async function runPandoc( // and it breaks ensureFileRegexMatches cleanQuartoTestsMetadata(pandocPassedMetadata); + // Filter out bundled engines from metadata passed to Pandoc + if (Array.isArray(pandocPassedMetadata.engines)) { + const filteredEngines = pandocPassedMetadata.engines.filter((engine) => { + const enginePath = typeof engine === "string" ? engine : engine.path; + if (!enginePath) return true; + + const normalizedPath = enginePath.replace(/\\/g, "/"); + return !normalizedPath.includes("extension-subtrees/"); + }); + + if (filteredEngines.length === 0) { + delete pandocPassedMetadata.engines; + } else { + pandocPassedMetadata.engines = filteredEngines; + } + } + Deno.writeTextFileSync( metadataTemp, stringify(pandocPassedMetadata, { diff --git a/src/command/render/project.ts b/src/command/render/project.ts index 6156e9b8508..b468a991482 100644 --- a/src/command/render/project.ts +++ b/src/command/render/project.ts @@ -792,7 +792,7 @@ export async function renderProject( context, ); if (engine?.postRender) { - await engine.postRender(file, projResults.context); + await engine.postRender(file); } } diff --git a/src/command/render/render-contexts.ts b/src/command/render/render-contexts.ts index 94fa43c1e01..7ad6555ae45 100644 --- a/src/command/render/render-contexts.ts +++ b/src/command/render/render-contexts.ts @@ -59,7 +59,10 @@ import { } from "../../core/language.ts"; import { defaultWriterFormat } from "../../format/formats.ts"; import { mergeConfigs } from "../../core/config.ts"; -import { ExecutionEngine, ExecutionTarget } from "../../execute/types.ts"; +import { + ExecutionEngineInstance, + ExecutionTarget, +} from "../../execute/types.ts"; import { deleteProjectMetadata, directoryMetadataForInputFile, @@ -296,7 +299,7 @@ export async function renderContexts( // if this isn't for execute then cleanup context if (!forExecute && engine.executeTargetSkipped) { - engine.executeTargetSkipped(target, formats[formatKey].format, project); + engine.executeTargetSkipped(target, formats[formatKey].format); } } return contexts; @@ -394,7 +397,7 @@ function mergeQuartoConfigs( async function resolveFormats( file: RenderFile, target: ExecutionTarget, - engine: ExecutionEngine, + engine: ExecutionEngineInstance, options: RenderOptions, _notebookContext: NotebookContext, project: ProjectContext, diff --git a/src/command/render/render-files.ts b/src/command/render/render-files.ts index bcb5a84c181..171cffec591 100644 --- a/src/command/render/render-files.ts +++ b/src/command/render/render-files.ts @@ -203,7 +203,6 @@ export async function renderExecute( context.engine.executeTargetSkipped( context.target, context.format, - context.project, ); } diff --git a/src/command/render/render-shared.ts b/src/command/render/render-shared.ts index 2affd4004a7..63841a09383 100644 --- a/src/command/render/render-shared.ts +++ b/src/command/render/render-shared.ts @@ -100,7 +100,7 @@ export async function render( assert(!context, "Expected no context here"); // NB: singleFileProjectContext is currently not fully-featured - context = await singleFileProjectContext(path, nbContext, options.flags); + context = await singleFileProjectContext(path, nbContext, options); // otherwise it's just a file render const result = await renderFiles( @@ -147,7 +147,7 @@ export async function render( if (!renderResult.error && engine?.postRender) { for (const file of renderResult.files) { - await engine.postRender(file, renderResult.context); + await engine.postRender(file); } } diff --git a/src/command/render/render.ts b/src/command/render/render.ts index e8e0d70dcb3..8cc9538bcfb 100644 --- a/src/command/render/render.ts +++ b/src/command/render/render.ts @@ -24,6 +24,7 @@ import { executionEngine, executionEngineKeepMd, } from "../../execute/engine.ts"; +import { engineProjectContext } from "../../project/engine-project-context.ts"; import { HtmlPostProcessor, @@ -90,7 +91,8 @@ export async function renderPandoc( if (executeResult.engineDependencies) { for (const engineName of Object.keys(executeResult.engineDependencies)) { const engine = executionEngine(engineName)!; - const dependenciesResult = await engine.dependencies({ + const engineInstance = engine.launch(engineProjectContext(context.project)); + const dependenciesResult = await engineInstance.dependencies({ target: context.target, format, output: recipe.output, diff --git a/src/command/render/types.ts b/src/command/render/types.ts index 83664ead97c..cdc576ea53c 100644 --- a/src/command/render/types.ts +++ b/src/command/render/types.ts @@ -14,7 +14,7 @@ import { } from "../../config/types.ts"; import { ExecuteResult, - ExecutionEngine, + ExecutionEngineInstance, ExecutionTarget, } from "../../execute/types.ts"; import { Metadata } from "../../config/types.ts"; @@ -56,7 +56,7 @@ export interface RenderServiceWithLifetime extends RenderServices { export interface RenderContext { target: ExecutionTarget; options: RenderOptions; - engine: ExecutionEngine; + engine: ExecutionEngineInstance; format: Format; libDir: string; project: ProjectContext; diff --git a/src/core/git.ts b/src/core/git.ts index db6bb731cf3..ca368ca2e51 100644 --- a/src/core/git.ts +++ b/src/core/git.ts @@ -86,3 +86,24 @@ export async function gitBranchExists( return Promise.resolve(undefined); } + +export async function gitCmdOutput( + dir: string, + args: string[], +): Promise { + const result = await execProcess({ + cmd: "git", + args, + cwd: dir, + stdout: "piped", + stderr: "piped", + }); + + if (!result.success) { + throw new Error( + `Git command failed: git ${args.join(" ")}\n${result.stderr || ""}`, + ); + } + + return result.stdout?.trim() || ""; +} diff --git a/src/core/jupyter/jupyter-embed.ts b/src/core/jupyter/jupyter-embed.ts index 16586e825de..718c2f03105 100644 --- a/src/core/jupyter/jupyter-embed.ts +++ b/src/core/jupyter/jupyter-embed.ts @@ -66,7 +66,7 @@ import { } from "../../render/notebook/notebook-types.ts"; import { ProjectContext } from "../../project/types.ts"; import { logProgress } from "../log.ts"; -import * as ld from "../../../src/core/lodash.ts"; +import * as ld from "../lodash.ts"; import { texSafeFilename } from "../tex.ts"; export interface JupyterNotebookAddress { diff --git a/src/core/jupyter/jupyter.ts b/src/core/jupyter/jupyter.ts index 0281c144f67..70288fcbf20 100644 --- a/src/core/jupyter/jupyter.ts +++ b/src/core/jupyter/jupyter.ts @@ -153,7 +153,7 @@ import { removeIfEmptyDir, } from "../path.ts"; import { convertToHtmlSpans, hasAnsiEscapeCodes } from "../ansi-colors.ts"; -import { kProjectType, ProjectContext } from "../../project/types.ts"; +import { kProjectType, EngineProjectContext } from "../../project/types.ts"; import { mergeConfigs } from "../config.ts"; import { encodeBase64 } from "encoding/base64"; import { @@ -290,7 +290,7 @@ const ticksForCode = (code: string[]) => { export async function quartoMdToJupyter( markdown: string, includeIds: boolean, - project?: ProjectContext, + project?: EngineProjectContext, ): Promise { const [kernelspec, metadata] = await jupyterKernelspecFromMarkdown( markdown, @@ -500,7 +500,7 @@ export async function quartoMdToJupyter( export async function jupyterKernelspecFromMarkdown( markdown: string, - project?: ProjectContext, + project?: EngineProjectContext, ): Promise<[JupyterKernelspec, Metadata]> { const config = project?.config; const yaml = config diff --git a/src/core/path.ts b/src/core/path.ts index 23e606ff66a..f6cd41408fc 100644 --- a/src/core/path.ts +++ b/src/core/path.ts @@ -85,7 +85,7 @@ export function isModifiedAfter(file: string, otherFile: string) { } } -export function dirAndStem(file: string) { +export function dirAndStem(file: string): [string, string] { return [ dirname(file), basename(file, extname(file)), diff --git a/src/core/performance/metrics.ts b/src/core/performance/metrics.ts index 8bb50375364..e5418944782 100644 --- a/src/core/performance/metrics.ts +++ b/src/core/performance/metrics.ts @@ -4,7 +4,7 @@ * Copyright (C) 2020-2023 Posit Software, PBC */ -import { inputTargetIndexCacheMetrics } from "../../project/project-index.ts"; +import { inputTargetIndexCacheMetrics } from "../../project/target-index-cache-metrics.ts"; import { functionTimes } from "./function-times.ts"; import { Stats } from "./stats.ts"; diff --git a/src/core/quarto-api.ts b/src/core/quarto-api.ts new file mode 100644 index 00000000000..48ba351af35 --- /dev/null +++ b/src/core/quarto-api.ts @@ -0,0 +1,394 @@ +// src/core/quarto-api.ts + +// Import types from quarto-cli, not quarto-types +import { MappedString } from "./lib/text-types.ts"; +import { Format, FormatPandoc, Metadata } from "../config/types.ts"; +import { PartitionedMarkdown } from "./pandoc/types.ts"; +import type { EngineProjectContext } from "../project/types.ts"; +import type { + JupyterCapabilities, + JupyterKernelspec, + JupyterNotebook, + JupyterToMarkdownOptions, + JupyterToMarkdownResult, + JupyterWidgetDependencies, +} from "./jupyter/types.ts"; +import { + isJupyterNotebook, + jupyterAssets, + jupyterFromJSON, + jupyterKernelspecFromMarkdown, + jupyterToMarkdown, + kJupyterNotebookExtensions, + quartoMdToJupyter, +} from "./jupyter/jupyter.ts"; +import { + jupyterNotebookFiltered, + markdownFromNotebookFile, + markdownFromNotebookJSON, +} from "./jupyter/jupyter-filters.ts"; +import { includesForJupyterWidgetDependencies } from "./jupyter/widgets.ts"; +import { pythonExec } from "./jupyter/exec.ts"; +import { jupyterCapabilities } from "./jupyter/capabilities.ts"; +import { jupyterKernelspecForLanguage } from "./jupyter/kernels.ts"; +import { + jupyterCapabilitiesJson, + jupyterCapabilitiesMessage, + jupyterInstallationMessage, + jupyterUnactivatedEnvMessage, + pythonInstallationMessage, +} from "./jupyter/jupyter-shared.ts"; +import type { JupyterNotebookAssetPaths } from "./jupyter/jupyter.ts"; +import type { PandocIncludes, PostProcessOptions } from "../execute/types.ts"; +import { + isJupyterPercentScript, + markdownFromJupyterPercentScript, +} from "../execute/jupyter/percent.ts"; +import { runExternalPreviewServer } from "../preview/preview-server.ts"; +import type { PreviewServer } from "../preview/preview-server.ts"; +import { isQmdFile } from "../execute/qmd.ts"; +import { postProcessRestorePreservedHtml } from "../execute/engine-shared.ts"; +import { onCleanup } from "./cleanup.ts"; +import { inputFilesDir, isServerShiny, isServerShinyPython } from "./render.ts"; +import { quartoDataDir } from "./appdirs.ts"; +import { + executeResultEngineDependencies, + executeResultIncludes, +} from "../execute/jupyter/jupyter.ts"; +import { completeMessage, withSpinner } from "./console.ts"; +import type { RenderServiceWithLifetime } from "../command/render/types.ts"; +import type { LogMessageOptions } from "./log.ts"; +import * as log from "../deno_ral/log.ts"; + +export interface QuartoAPI { + markdownRegex: { + extractYaml: (markdown: string) => Metadata; + partition: (markdown: string) => PartitionedMarkdown; + getLanguages: (markdown: string) => Set; + breakQuartoMd: ( + src: string | MappedString, + validate?: boolean, + lenient?: boolean, + ) => Promise; + }; + mappedString: { + fromString: (text: string, fileName?: string) => MappedString; + fromFile: (path: string) => MappedString; + normalizeNewlines: (markdown: MappedString) => MappedString; + splitLines: (str: MappedString, keepNewLines?: boolean) => MappedString[]; + indexToLineCol: ( + str: MappedString, + offset: number, + ) => { line: number; column: number }; + }; + jupyter: { + isJupyterNotebook: (file: string) => boolean; + isPercentScript: (file: string, extensions?: string[]) => boolean; + notebookExtensions: string[]; + kernelspecFromMarkdown: ( + markdown: string, + project?: EngineProjectContext, + ) => Promise<[JupyterKernelspec, Metadata]>; + kernelspecForLanguage: ( + language: string, + ) => Promise; + fromJSON: (nbJson: string) => JupyterNotebook; + toMarkdown: ( + nb: JupyterNotebook, + options: JupyterToMarkdownOptions, + ) => Promise; + markdownFromNotebookFile: ( + file: string, + format?: Format, + ) => Promise; + markdownFromNotebookJSON: (nb: JupyterNotebook) => string; + percentScriptToMarkdown: (file: string) => string; + quartoMdToJupyter: ( + markdown: string, + includeIds: boolean, + project?: EngineProjectContext, + ) => Promise; + notebookFiltered: (input: string, filters: string[]) => Promise; + assets: (input: string, to?: string) => JupyterNotebookAssetPaths; + widgetDependencyIncludes: ( + deps: JupyterWidgetDependencies[], + tempDir: string, + ) => { inHeader?: string; afterBody?: string }; + resultIncludes: ( + tempDir: string, + dependencies?: JupyterWidgetDependencies, + ) => PandocIncludes; + resultEngineDependencies: ( + dependencies?: JupyterWidgetDependencies, + ) => Array | undefined; + pythonExec: (kernelspec?: JupyterKernelspec) => Promise; + capabilities: ( + kernelspec?: JupyterKernelspec, + ) => Promise; + capabilitiesMessage: ( + caps: JupyterCapabilities, + indent?: string, + ) => Promise; + capabilitiesJson: ( + caps: JupyterCapabilities, + ) => Promise; + installationMessage: (caps: JupyterCapabilities, indent?: string) => string; + unactivatedEnvMessage: ( + caps: JupyterCapabilities, + indent?: string, + ) => string | undefined; + pythonInstallationMessage: (indent?: string) => string; + }; + format: { + isHtmlCompatible: (format: Format) => boolean; + isIpynbOutput: (format: FormatPandoc) => boolean; + isLatexOutput: (format: FormatPandoc) => boolean; + isMarkdownOutput: (format: Format, flavors?: string[]) => boolean; + isPresentationOutput: (format: FormatPandoc) => boolean; + isHtmlDashboardOutput: (format?: string) => boolean; + isServerShiny: (format?: Format) => boolean; + isServerShinyPython: ( + format: Format, + engine: string | undefined, + ) => boolean; + }; + path: { + absolute: (path: string | URL) => string; + toForwardSlashes: (path: string) => string; + runtime: (subdir?: string) => string; + resource: (...parts: string[]) => string; + dirAndStem: (file: string) => [string, string]; + isQmdFile: (file: string) => boolean; + inputFilesDir: (input: string) => string; + dataDir: (subdir?: string, roaming?: boolean) => string; + }; + system: { + isInteractiveSession: () => boolean; + runningInCI: () => boolean; + execProcess: ( + options: ExecProcessOptions, + stdin?: string, + mergeOutput?: "stderr>stdout" | "stdout>stderr", + stderrFilter?: (output: string) => string, + respectStreams?: boolean, + timeout?: number, + ) => Promise; + runExternalPreviewServer: (options: { + cmd: string[]; + readyPattern: RegExp; + env?: Record; + cwd?: string; + }) => PreviewServer; + onCleanup: (handler: () => void | Promise) => void; + tempContext: () => TempContext; + checkRender: (options: { + content: string; + language: string; + services: RenderServiceWithLifetime; + }) => Promise<{ success: boolean; error?: Error }>; + }; + text: { + lines: (text: string) => string[]; + trimEmptyLines: ( + lines: string[], + trim?: "leading" | "trailing" | "all", + ) => string[]; + postProcessRestorePreservedHtml: (options: PostProcessOptions) => void; + lineColToIndex: ( + text: string, + ) => (position: { line: number; column: number }) => number; + executeInlineCodeHandler: ( + language: string, + exec: (expr: string) => string | undefined, + ) => (code: string) => string; + asYamlText: (metadata: Metadata) => string; + }; + console: { + withSpinner: ( + options: { + message: string | (() => string); + doneMessage?: string | boolean; + }, + fn: () => Promise, + ) => Promise; + completeMessage: (message: string) => void; + info: (message: string, options?: LogMessageOptions) => void; + warning: (message: string, options?: LogMessageOptions) => void; + error: (message: string, options?: LogMessageOptions) => void; + }; + crypto: { + md5Hash: (content: string) => string; + }; +} + +// Create the implementation of the quartoAPI +import { readYamlFromMarkdown } from "./yaml.ts"; +import { partitionMarkdown } from "./pandoc/pandoc-partition.ts"; +import { languagesInMarkdown } from "../execute/engine-shared.ts"; +import { + asMappedString, + mappedIndexToLineCol, + mappedLines, + mappedNormalizeNewlines, +} from "./lib/mapped-text.ts"; +import { mappedStringFromFile } from "./mapped-text.ts"; +import { + isHtmlCompatible, + isHtmlDashboardOutput, + isIpynbOutput, + isLatexOutput, + isMarkdownOutput, + isPresentationOutput, +} from "../config/format.ts"; +import { dirAndStem, normalizePath, pathWithForwardSlashes } from "./path.ts"; +import { quartoRuntimeDir } from "./appdirs.ts"; +import { resourcePath } from "./resources.ts"; +import { isInteractiveSession } from "./platform.ts"; +import { runningInCI } from "./ci-info.ts"; +import { execProcess } from "./process.ts"; +import type { ExecProcessOptions } from "./process.ts"; +import type { ProcessResult } from "./process-types.ts"; +import { asYamlText } from "./jupyter/jupyter-fixups.ts"; +import { breakQuartoMd } from "./lib/break-quarto-md.ts"; +import type { QuartoMdCell, QuartoMdChunks } from "./lib/break-quarto-md.ts"; +import { lineColToIndex, lines, trimEmptyLines } from "./lib/text.ts"; +import { md5HashSync } from "./hash.ts"; +import { executeInlineCodeHandler } from "./execute-inline.ts"; +import { globalTempContext } from "./temp.ts"; +import type { TempContext } from "./temp-types.ts"; + +/** + * Global Quarto API implementation + */ +export const quartoAPI: QuartoAPI = { + markdownRegex: { + extractYaml: readYamlFromMarkdown, + partition: partitionMarkdown, + getLanguages: languagesInMarkdown, + breakQuartoMd, + }, + + mappedString: { + fromString: asMappedString, + fromFile: mappedStringFromFile, + normalizeNewlines: mappedNormalizeNewlines, + splitLines: (str: MappedString, keepNewLines?: boolean) => { + return mappedLines(str, keepNewLines); + }, + indexToLineCol: (str: MappedString, offset: number) => { + const fn = mappedIndexToLineCol(str); + return fn(offset); + }, + }, + + jupyter: { + // 1. Notebook Detection & Introspection + isJupyterNotebook, + isPercentScript: isJupyterPercentScript, + notebookExtensions: kJupyterNotebookExtensions, + kernelspecFromMarkdown: jupyterKernelspecFromMarkdown, + kernelspecForLanguage: jupyterKernelspecForLanguage, + fromJSON: jupyterFromJSON, + + // 2. Notebook Conversion + toMarkdown: jupyterToMarkdown, + markdownFromNotebookFile, + markdownFromNotebookJSON, + percentScriptToMarkdown: markdownFromJupyterPercentScript, + quartoMdToJupyter, + + // 3. Notebook Processing & Assets + notebookFiltered: jupyterNotebookFiltered, + assets: jupyterAssets, + widgetDependencyIncludes: includesForJupyterWidgetDependencies, + resultIncludes: ( + tempDir: string, + dependencies?: JupyterWidgetDependencies, + ) => { + return executeResultIncludes(tempDir, dependencies) || {}; + }, + resultEngineDependencies: (dependencies?: JupyterWidgetDependencies) => { + const result = executeResultEngineDependencies(dependencies); + return result as Array | undefined; + }, + + // 4. Runtime & Environment + pythonExec, + capabilities: jupyterCapabilities, + capabilitiesMessage: jupyterCapabilitiesMessage, + capabilitiesJson: jupyterCapabilitiesJson, + installationMessage: jupyterInstallationMessage, + unactivatedEnvMessage: jupyterUnactivatedEnvMessage, + pythonInstallationMessage, + }, + + format: { + isHtmlCompatible, + isIpynbOutput, + isLatexOutput, + isMarkdownOutput, + isPresentationOutput, + isHtmlDashboardOutput: (format?: string) => !!isHtmlDashboardOutput(format), + isServerShiny, + isServerShinyPython, + }, + + path: { + absolute: normalizePath, + toForwardSlashes: pathWithForwardSlashes, + runtime: quartoRuntimeDir, + resource: (...parts: string[]) => { + if (parts.length === 0) { + return resourcePath(); + } else if (parts.length === 1) { + return resourcePath(parts[0]); + } else { + // Join multiple parts with the first one + const joined = parts.join("/"); + return resourcePath(joined); + } + }, + dirAndStem, + isQmdFile, + inputFilesDir, + dataDir: quartoDataDir, + }, + + system: { + isInteractiveSession, + runningInCI, + execProcess, + runExternalPreviewServer, + onCleanup, + tempContext: globalTempContext, + checkRender: async (options) => { + // Dynamic import to avoid async module initialization chain in bundle + const { checkRender } = await import("../command/check/check-render.ts"); + return await checkRender(options); + }, + }, + + text: { + lines, + trimEmptyLines, + postProcessRestorePreservedHtml, + lineColToIndex, + executeInlineCodeHandler, + asYamlText, + }, + + console: { + withSpinner, + completeMessage, + info: (message: string, options?: LogMessageOptions) => + log.info(message, options), + warning: (message: string, options?: LogMessageOptions) => + log.warning(message, options), + error: (message: string, options?: LogMessageOptions) => + log.error(message, options), + }, + + crypto: { + md5Hash: md5HashSync, + }, +}; diff --git a/src/execute/engine-info.ts b/src/execute/engine-info.ts index e8cb53421c1..ba3d43944ee 100644 --- a/src/execute/engine-info.ts +++ b/src/execute/engine-info.ts @@ -1,14 +1,16 @@ /* -* engine-info.ts -* -* Copyright (C) 2022 Posit Software, PBC -* -*/ + * engine-info.ts + * + * Copyright (C) 2022 Posit Software, PBC + */ -import { ExecutionEngine, ExecutionTarget } from "./types.ts"; +import { + ExecutionEngineInstance, + ExecutionTarget, +} from "./types.ts"; export function executionEngineCanKeepSource( - engine: ExecutionEngine, + engine: ExecutionEngineInstance, target: ExecutionTarget, ) { return !engine.canKeepSource || engine.canKeepSource(target); diff --git a/src/execute/engine.ts b/src/execute/engine.ts index ba219e2094f..32f5f022b7a 100644 --- a/src/execute/engine.ts +++ b/src/execute/engine.ts @@ -4,7 +4,7 @@ * Copyright (C) 2020-2022 Posit Software, PBC */ -import { extname, join } from "../deno_ral/path.ts"; +import { extname, join, toFileUrl } from "../deno_ral/path.ts"; import * as ld from "../core/lodash.ts"; @@ -17,10 +17,16 @@ import { dirAndStem } from "../core/path.ts"; import { metadataAsFormat } from "../config/metadata.ts"; import { kBaseFormat, kEngine } from "../config/constants.ts"; -import { knitrEngine } from "./rmd.ts"; -import { jupyterEngine } from "./jupyter/jupyter.ts"; -import { kMdExtensions, markdownEngine } from "./markdown.ts"; -import { ExecutionEngine, kQmdExtensions } from "./types.ts"; +import { knitrEngineDiscovery } from "./rmd.ts"; +import { jupyterEngineDiscovery } from "./jupyter/jupyter.ts"; +import { ExternalEngine } from "../resources/types/schema-types.ts"; +import { kMdExtensions, markdownEngineDiscovery } from "./markdown.ts"; +import { + ExecutionEngineDiscovery, + ExecutionEngineInstance, + ExecutionTarget, + kQmdExtensions, +} from "./types.ts"; import { languagesInMarkdown } from "./engine-shared.ts"; import { languages as handlerLanguages } from "../core/handlers/base.ts"; import { RenderContext, RenderFlags } from "../command/render/types.ts"; @@ -28,13 +34,42 @@ import { mergeConfigs } from "../core/config.ts"; import { ProjectContext } from "../project/types.ts"; import { pandocBuiltInFormats } from "../core/pandoc/pandoc-formats.ts"; import { gitignoreEntries } from "../project/project-gitignore.ts"; -import { juliaEngine } from "./julia.ts"; import { ensureFileInformationCache } from "../project/project-shared.ts"; +import { engineProjectContext } from "../project/engine-project-context.ts"; import { Command } from "cliffy/command/mod.ts"; +import { quartoAPI } from "../core/quarto-api.ts"; +import { satisfies } from "semver/mod.ts"; +import { quartoConfig } from "../core/quarto.ts"; -const kEngines: Map = new Map(); +const kEngines: Map = new Map(); -export function executionEngines(): ExecutionEngine[] { +/** + * Check if an engine's Quarto version requirement is satisfied + * @param engine The engine to check + * @throws Error if the version requirement is not met or is invalid + */ +function checkEngineVersionRequirement(engine: ExecutionEngineDiscovery): void { + if (engine.quartoRequired) { + const ourVersion = quartoConfig.version(); + try { + if (!satisfies(ourVersion, engine.quartoRequired)) { + throw new Error( + `Execution engine '${engine.name}' requires Quarto ${engine.quartoRequired}, ` + + `but you have ${ourVersion}. Please upgrade Quarto to use this engine.`, + ); + } + } catch (e) { + if (e instanceof Error && e.message.includes("Invalid")) { + throw new Error( + `Execution engine '${engine.name}' has invalid version constraint: ${engine.quartoRequired}`, + ); + } + throw e; + } + } +} + +export function executionEngines(): ExecutionEngineDiscovery[] { return [...kEngines.values()]; } @@ -42,17 +77,27 @@ export function executionEngine(name: string) { return kEngines.get(name); } -for ( - const engine of [knitrEngine, jupyterEngine, markdownEngine, juliaEngine] -) { - registerExecutionEngine(engine); -} +// Register the standard engines with discovery interface +registerExecutionEngine(knitrEngineDiscovery); -export function registerExecutionEngine(engine: ExecutionEngine) { +// Register jupyter engine with discovery interface +registerExecutionEngine(jupyterEngineDiscovery); + +// Register markdown engine with discovery interface +registerExecutionEngine(markdownEngineDiscovery); + +export function registerExecutionEngine(engine: ExecutionEngineDiscovery) { if (kEngines.has(engine.name)) { throw new Error(`Execution engine ${engine.name} already registered`); } + + // Check if engine's Quarto version requirement is satisfied + checkEngineVersionRequirement(engine); + kEngines.set(engine.name, engine); + if (engine.init) { + engine.init(quartoAPI); + } } export function executionEngineKeepMd(context: RenderContext) { @@ -67,7 +112,7 @@ export function executionEngineKeepMd(context: RenderContext) { // for the project crawl export function executionEngineIntermediateFiles( - engine: ExecutionEngine, + engine: ExecutionEngineInstance, input: string, ) { // all files of the form e.g. .html.md or -html.md are interemediate @@ -97,10 +142,11 @@ export function engineValidExtensions(): string[] { } export function markdownExecutionEngine( + project: ProjectContext, markdown: string, - reorderedEngines: Map, + reorderedEngines: Map, flags?: RenderFlags, -) { +): ExecutionEngineInstance { // read yaml and see if the engine is declared in yaml // (note that if the file were a non text-file like ipynb // it would have already been claimed via extension) @@ -112,11 +158,11 @@ export function markdownExecutionEngine( yaml = mergeConfigs(yaml, flags?.metadata); for (const [_, engine] of reorderedEngines) { if (yaml[engine.name]) { - return engine; + return engine.launch(engineProjectContext(project)); } const format = metadataAsFormat(yaml); if (format.execute?.[kEngine] === engine.name) { - return engine; + return engine.launch(engineProjectContext(project)); } } } @@ -129,7 +175,7 @@ export function markdownExecutionEngine( for (const language of languages) { for (const [_, engine] of reorderedEngines) { if (engine.claimsLanguage(language)) { - return engine; + return engine.launch(engineProjectContext(project)); } } } @@ -138,18 +184,68 @@ export function markdownExecutionEngine( // if there is a non-cell handler language then this must be jupyter for (const language of languages) { if (language !== "ojs" && !handlerLanguagesVal.includes(language)) { - return jupyterEngine; + return jupyterEngineDiscovery.launch(engineProjectContext(project)); } } // if there is no computational engine discovered then bind // to the markdown engine; - return markdownEngine; + return markdownEngineDiscovery.launch(engineProjectContext(project)); } -function reorderEngines(project: ProjectContext) { - const userSpecifiedOrder: string[] = - project.config?.engines as string[] | undefined ?? []; +export async function reorderEngines(project: ProjectContext) { + const userSpecifiedOrder: string[] = []; + const projectEngines = project.config?.engines as + | (string | ExternalEngine)[] + | undefined; + + for (const engine of projectEngines ?? []) { + if (typeof engine === "object") { + try { + const extEngine = (await import(toFileUrl(engine.path).href)) + .default as ExecutionEngineDiscovery; + + // Validate that the module exports an ExecutionEngineDiscovery object + if (!extEngine) { + throw new Error( + `Engine module must export a default ExecutionEngineDiscovery object. ` + + `Check that your engine file exports 'export default yourEngineDiscovery;'`, + ); + } + + // Validate required properties + const missing: string[] = []; + if (!extEngine.name) missing.push("name"); + if (!extEngine.launch) missing.push("launch"); + if (!extEngine.claimsLanguage) missing.push("claimsLanguage"); + + if (missing.length > 0) { + throw new Error( + `Engine is missing required properties: ${missing.join(", ")}. ` + + `Ensure your engine implements the ExecutionEngineDiscovery interface.`, + ); + } + + // Check if engine's Quarto version requirement is satisfied + checkEngineVersionRequirement(extEngine); + + userSpecifiedOrder.push(extEngine.name); + kEngines.set(extEngine.name, extEngine); + if (extEngine.init) { + extEngine.init(quartoAPI); + } + } catch (err: any) { + // Throw error for engine import failures as this is a serious configuration issue + throw new Error( + `Failed to import engine from ${engine.path}: ${ + err.message || "Unknown error" + }`, + ); + } + } else { + userSpecifiedOrder.push(engine); + } + } for (const key of userSpecifiedOrder) { if (!kEngines.has(key)) { @@ -161,7 +257,7 @@ function reorderEngines(project: ProjectContext) { } } - const reorderedEngines = new Map(); + const reorderedEngines = new Map(); // Add keys in the order of userSpecifiedOrder first for (const key of userSpecifiedOrder) { @@ -182,7 +278,7 @@ export async function fileExecutionEngine( file: string, flags: RenderFlags | undefined, project: ProjectContext, -) { +): Promise { // get the extension and validate that it can be handled by at least one of our engines const ext = extname(file).toLowerCase(); if ( @@ -193,12 +289,12 @@ export async function fileExecutionEngine( return undefined; } - const reorderedEngines = reorderEngines(project); + const reorderedEngines = await reorderEngines(project); // try to find an engine that claims this extension outright for (const [_, engine] of reorderedEngines) { if (engine.claimsFile(file, ext)) { - return engine; + return engine.launch(engineProjectContext(project)); } } @@ -211,6 +307,7 @@ export async function fileExecutionEngine( // with the filename so that the user knows which file is the problem. try { return markdownExecutionEngine( + project, markdown ? markdown.value : Deno.readTextFileSync(file), reorderedEngines, flags, @@ -230,29 +327,30 @@ export async function fileExecutionEngine( export async function fileExecutionEngineAndTarget( file: string, flags: RenderFlags | undefined, - // markdown: MappedString | undefined, project: ProjectContext, -) { +): Promise<{ engine: ExecutionEngineInstance; target: ExecutionTarget }> { const cached = ensureFileInformationCache(project, file); if (cached && cached.engine && cached.target) { return { engine: cached.engine, target: cached.target }; } + // Get the launched engine const engine = await fileExecutionEngine(file, flags, project); if (!engine) { throw new Error("Can't determine execution engine for " + file); } - const markdown = await project.resolveFullMarkdownForFile(engine, file); - const target = await engine.target(file, flags?.quiet, markdown, project); + const markdown = await project.resolveFullMarkdownForFile(engine, file); + const target = await engine.target(file, flags?.quiet, markdown); if (!target) { throw new Error("Can't determine execution target for " + file); } + // Cache the ExecutionEngineInstance cached.engine = engine; cached.target = target; - const result = { engine, target }; - return result; + + return { engine, target }; } export function engineIgnoreDirs() { @@ -283,24 +381,40 @@ export const engineCommand = new Command() .description( `Access functionality specific to quarto's different rendering engines.`, ) - .action(() => { - engineCommand.showHelp(); - Deno.exit(1); - }); + .stopEarly() + .arguments(" [args...:string]") + .action(async (options, engineName: string, ...args: string[]) => { + // Initialize project context and register external engines + // Dynamic import to avoid static import chain that triggers esbuild bundling issues + const { initializeProjectContextAndEngines } = await import( + "../command/command-utils.ts" + ); + await initializeProjectContextAndEngines(); + + // Get the engine (now includes external ones) + const engine = executionEngine(engineName); + if (!engine) { + console.error(`Unknown engine: ${engineName}`); + console.error( + `Available engines: ${ + executionEngines().map((e) => e.name).join(", ") + }`, + ); + Deno.exit(1); + } + + if (!engine.populateCommand) { + console.error(`Engine ${engineName} does not support subcommands`); + Deno.exit(1); + } -kEngines.forEach((engine, name) => { - if (engine.populateCommand) { - const engineSubcommand = new Command(); - // fill in some default behavior for each engine command - engineSubcommand + // Create temporary command and let engine populate it + const engineSubcommand = new Command() .description( - `Access functionality specific to the ${name} rendering engine.`, - ) - .action(() => { - engineSubcommand.showHelp(); - Deno.exit(1); - }); + `Access functionality specific to the ${engineName} rendering engine.`, + ); engine.populateCommand(engineSubcommand); - engineCommand.command(name, engineSubcommand); - } -}); + + // Recursively parse remaining arguments + await engineSubcommand.parse(args); + }); diff --git a/src/execute/jupyter/jupyter-kernel.ts b/src/execute/jupyter/jupyter-kernel.ts index dd864de4e20..3d9ac5348ef 100644 --- a/src/execute/jupyter/jupyter-kernel.ts +++ b/src/execute/jupyter/jupyter-kernel.ts @@ -9,23 +9,12 @@ import { join } from "../../deno_ral/path.ts"; import { error, info, warning } from "../../deno_ral/log.ts"; import { sleep } from "../../core/async.ts"; -import { quartoDataDir, quartoRuntimeDir } from "../../core/appdirs.ts"; -import { execProcess } from "../../core/process.ts"; -import { ProcessResult } from "../../core/process-types.ts"; -import { md5HashSync } from "../../core/hash.ts"; -import { resourcePath } from "../../core/resources.ts"; -import { pythonExec } from "../../core/jupyter/exec.ts"; import { JupyterCapabilities, JupyterKernelspec, } from "../../core/jupyter/types.ts"; -import { jupyterCapabilities } from "../../core/jupyter/capabilities.ts"; -import { - jupyterCapabilitiesMessage, - jupyterInstallationMessage, - jupyterUnactivatedEnvMessage, - pythonInstallationMessage, -} from "../../core/jupyter/jupyter-shared.ts"; +import { quartoAPI as quarto } from "../../core/quarto-api.ts"; +import type { ProcessResult } from "../../core/process-types.ts"; import { kExecuteDaemon, @@ -34,7 +23,6 @@ import { } from "../../config/constants.ts"; import { ExecuteOptions } from "../types.ts"; -import { normalizePath } from "../../core/path.ts"; import { isWindows } from "../../deno_ral/platform.ts"; export interface JupyterExecuteOptions extends ExecuteOptions { @@ -188,13 +176,13 @@ async function execJupyter( kernelspec: JupyterKernelspec, ): Promise { try { - const cmd = await pythonExec(kernelspec); - const result = await execProcess( + const cmd = await quarto.jupyter.pythonExec(kernelspec); + const result = await quarto.system.execProcess( { cmd: cmd[0], args: [ ...cmd.slice(1), - resourcePath("jupyter/jupyter.py"), + quarto.path.resource("jupyter", "jupyter.py"), ], env: { // Force default matplotlib backend. something simillar is done here: @@ -231,19 +219,19 @@ export async function printExecDiagnostics( kernelspec: JupyterKernelspec, stderr?: string, ) { - const caps = await jupyterCapabilities(kernelspec); + const caps = await quarto.jupyter.capabilities(kernelspec); if (caps && !caps.jupyter_core) { info("Python 3 installation:"); - info(await jupyterCapabilitiesMessage(caps, " ")); + info(quarto.jupyter.capabilitiesMessage(caps, " ")); info(""); - info(jupyterInstallationMessage(caps)); + info(quarto.jupyter.installationMessage(caps)); info(""); maybePrintUnactivatedEnvMessage(caps); } else if (caps && !haveRequiredPython(caps)) { info(pythonVersionMessage()); - info(await jupyterCapabilitiesMessage(caps, " ")); + info(quarto.jupyter.capabilitiesMessage(caps, " ")); } else if (!caps) { - info(pythonInstallationMessage()); + info(quarto.jupyter.pythonInstallationMessage()); info(""); } else if (stderr && (stderr.indexOf("ModuleNotFoundError") !== -1)) { maybePrintUnactivatedEnvMessage(caps); @@ -259,7 +247,7 @@ function pythonVersionMessage() { } function maybePrintUnactivatedEnvMessage(caps: JupyterCapabilities) { - const envMessage = jupyterUnactivatedEnvMessage(caps); + const envMessage = quarto.jupyter.unactivatedEnvMessage(caps); if (envMessage) { info(envMessage); info(""); @@ -313,7 +301,7 @@ function kernelTransportFile(target: string) { let transportsDir: string; try { - transportsDir = quartoRuntimeDir("jt"); + transportsDir = quarto.path.runtime("jt"); } catch (e) { console.error("Could create runtime directory for jupyter transport."); console.error( @@ -327,13 +315,13 @@ function kernelTransportFile(target: string) { ); throw e; } - const targetFile = normalizePath(target); - const hash = md5HashSync(targetFile).slice(0, 20); + const targetFile = quarto.path.absolute(target); + const hash = quarto.crypto.md5Hash(targetFile).slice(0, 20); return join(transportsDir, hash); } function kernelLogFile() { - const logsDir = quartoDataDir("logs"); + const logsDir = quarto.path.dataDir("logs"); const kernelLog = join(logsDir, "jupyter-kernel.log"); if (!existsSync(kernelLog)) { Deno.writeTextFileSync(kernelLog, ""); diff --git a/src/execute/jupyter/jupyter.ts b/src/execute/jupyter/jupyter.ts index 0dd36b65bfe..bbffe455092 100644 --- a/src/execute/jupyter/jupyter.ts +++ b/src/execute/jupyter/jupyter.ts @@ -9,26 +9,11 @@ import { satisfies } from "semver/mod.ts"; import { existsSync } from "../../deno_ral/fs.ts"; -import { error } from "../../deno_ral/log.ts"; +import { error, info } from "../../deno_ral/log.ts"; import * as ld from "../../core/lodash.ts"; -import { readYamlFromMarkdown } from "../../core/yaml.ts"; -import { isInteractiveSession } from "../../core/platform.ts"; -import { partitionMarkdown } from "../../core/pandoc/pandoc-partition.ts"; -import { dirAndStem, normalizePath } from "../../core/path.ts"; -import { runningInCI } from "../../core/ci-info.ts"; - -import { - isJupyterNotebook, - jupyterAssets, - jupyterFromJSON, - jupyterKernelspecFromMarkdown, - jupyterToMarkdown, - kJupyterNotebookExtensions, - quartoMdToJupyter, -} from "../../core/jupyter/jupyter.ts"; import { kBaseFormat, kExecuteDaemon, @@ -47,14 +32,6 @@ import { kRemoveHidden, } from "../../config/constants.ts"; import { Format } from "../../config/types.ts"; -import { - isHtmlCompatible, - isHtmlDashboardOutput, - isIpynbOutput, - isLatexOutput, - isMarkdownOutput, - isPresentationOutput, -} from "../../config/format.ts"; import { executeKernelKeepalive, @@ -62,20 +39,20 @@ import { JupyterExecuteOptions, } from "./jupyter-kernel.ts"; import { + JupyterCapabilities, JupyterKernelspec, JupyterNotebook, JupyterWidgetDependencies, } from "../../core/jupyter/types.ts"; -import { - includesForJupyterWidgetDependencies, -} from "../../core/jupyter/widgets.ts"; import { RenderOptions, RenderResultFile } from "../../command/render/types.ts"; import { DependenciesOptions, + EngineProjectContext, ExecuteOptions, ExecuteResult, - ExecutionEngine, + ExecutionEngineDiscovery, + ExecutionEngineInstance, ExecutionTarget, kJupyterEngine, kQmdExtensions, @@ -83,47 +60,26 @@ import { PostProcessOptions, RunOptions, } from "../types.ts"; -import { postProcessRestorePreservedHtml } from "../engine-shared.ts"; -import { pythonExec } from "../../core/jupyter/exec.ts"; -import { - jupyterNotebookFiltered, - markdownFromNotebookFile, - markdownFromNotebookJSON, -} from "../../core/jupyter/jupyter-filters.ts"; -import { asMappedString } from "../../core/lib/mapped-text.ts"; -import { MappedString, mappedStringFromFile } from "../../core/mapped-text.ts"; -import { breakQuartoMd } from "../../core/lib/break-quarto-md.ts"; -import { ProjectContext } from "../../project/types.ts"; -import { isQmdFile } from "../qmd.ts"; -import { - isJupyterPercentScript, - kJupyterPercentScriptExtensions, - markdownFromJupyterPercentScript, -} from "./percent.ts"; -import { - inputFilesDir, - isServerShiny, - isServerShinyPython, -} from "../../core/render.ts"; -import { jupyterCapabilities } from "../../core/jupyter/capabilities.ts"; -import { runExternalPreviewServer } from "../../preview/preview-server.ts"; -import { onCleanup } from "../../core/cleanup.ts"; -import { - ensureFileInformationCache, - projectOutputDir, -} from "../../project/project-shared.ts"; -import { assert } from "testing/asserts"; +// Target data interface used by Jupyter +interface JupyterTargetData { + transient: boolean; + kernelspec: JupyterKernelspec; +} -export const jupyterEngine: ExecutionEngine = { - name: kJupyterEngine, +// Import quartoAPI directly since we're in core codebase +import { quartoAPI as quarto } from "../../core/quarto-api.ts"; +import { MappedString } from "../../core/mapped-text.ts"; +import { kJupyterPercentScriptExtensions } from "./percent.ts"; +import type { CheckConfiguration } from "../../command/check/check.ts"; +export const jupyterEngineDiscovery: ExecutionEngineDiscovery = { + // we don't need init() because we use Quarto API directly + name: kJupyterEngine, defaultExt: ".qmd", - defaultYaml: (kernel?: string) => [ `jupyter: ${kernel || "python3"}`, ], - defaultContent: (kernel?: string) => { kernel = kernel || "python3"; const lang = kernel.startsWith("python") @@ -141,495 +97,646 @@ export const jupyterEngine: ExecutionEngine = { return []; } }, - validExtensions: () => [ - ...kJupyterNotebookExtensions, + ...quarto.jupyter.notebookExtensions, ...kJupyterPercentScriptExtensions, ...kQmdExtensions, ], - claimsFile: (file: string, ext: string) => { - return kJupyterNotebookExtensions.includes(ext.toLowerCase()) || - isJupyterPercentScript(file); + return quarto.jupyter.notebookExtensions.includes(ext.toLowerCase()) || + quarto.jupyter.isPercentScript(file); }, - claimsLanguage: (language: string) => { // jupyter has to claim julia so that julia may also claim it without changing the old behavior // of preferring jupyter over julia engine by default return language.toLowerCase() === "julia"; }, - - markdownForFile(file: string): Promise { - if (isJupyterNotebook(file)) { - const nbJSON = Deno.readTextFileSync(file); - const nb = JSON.parse(nbJSON) as JupyterNotebook; - return Promise.resolve(asMappedString(markdownFromNotebookJSON(nb))); - } else if (isJupyterPercentScript(file)) { - return Promise.resolve( - asMappedString(markdownFromJupyterPercentScript(file)), - ); - } else { - return Promise.resolve(mappedStringFromFile(file)); - } - }, - - target: async ( - file: string, - _quiet?: boolean, - markdown?: MappedString, - project?: ProjectContext, - ): Promise => { - assert(markdown); - // at some point we'll resolve a full notebook/kernelspec - let nb: JupyterNotebook | undefined; - if (isJupyterNotebook(file)) { - const nbJSON = Deno.readTextFileSync(file); - const nbRaw = JSON.parse(nbJSON); - - // https://github.com/quarto-dev/quarto-cli/issues/12374 - // kernelspecs are not guaranteed to have a language field - // so we need to check for it and if not present - // use the language_info.name field - if ( - nbRaw.metadata.kernelspec && - nbRaw.metadata.kernelspec.language === undefined && - nbRaw.metadata.language_info?.name - ) { - nbRaw.metadata.kernelspec.language = nbRaw.metadata.language_info.name; - } - nb = nbRaw as JupyterNotebook; - } - - // cache check for percent script - const isPercentScript = isJupyterPercentScript(file); - - // get the metadata - const metadata = readYamlFromMarkdown(markdown.value); - - // if this is a text markdown file then create a notebook for use as the execution target - if (isQmdFile(file) || isPercentScript) { - // write a transient notebook - const [fileDir, fileStem] = dirAndStem(file); - // See #4802 - // I don't love using an extension other than .ipynb for this file, - // but doing something like .quarto.ipynb would require a lot - // of additional changes to our file handling code (without changes, - // our output files would be called $FILE.quarto.html, which - // is not what we want). So for now, we'll use .quarto_ipynb - const notebook = join(fileDir, fileStem + ".quarto_ipynb"); - const target = { - source: file, - input: notebook, - markdown: markdown!, - metadata, - data: { transient: true, kernelspec: {} }, - }; - nb = await createNotebookforTarget(target, project); - target.data.kernelspec = nb.metadata.kernelspec; - return target; - } else if (isJupyterNotebook(file)) { - return { - source: file, - input: file, - markdown: markdown!, - metadata, - data: { transient: false, kernelspec: nb?.metadata.kernelspec }, - }; - } else { - return undefined; - } - }, - - partitionedMarkdown: async (file: string, format?: Format) => { - if (isJupyterNotebook(file)) { - return partitionMarkdown(await markdownFromNotebookFile(file, format)); - } else if (isJupyterPercentScript(file)) { - return partitionMarkdown(markdownFromJupyterPercentScript(file)); - } else { - return partitionMarkdown(Deno.readTextFileSync(file)); - } + canFreeze: true, + generatesFigures: true, + ignoreDirs: () => { + return ["venv", "env"]; }, - filterFormat: ( - source: string, - options: RenderOptions, - format: Format, - ) => { - // if this is shiny server and the user hasn't set keep-hidden then - // set it as well as the attibutes required to remove the hidden blocks - if ( - isServerShinyPython(format, kJupyterEngine) && - format.render[kKeepHidden] !== true - ) { - format = { - ...format, - render: { - ...format.render, - }, - metadata: { - ...format.metadata, - }, - }; - format.render[kKeepHidden] = true; - format.metadata[kRemoveHidden] = "all"; - } - - if (isJupyterNotebook(source)) { - // see if we want to override execute enabled - let executeEnabled: boolean | null | undefined; + checkInstallation: async (conf: CheckConfiguration) => { + const kIndent = " "; - // we never execute for a dev server reload - if (options.devServerReload) { - executeEnabled = false; - - // if a specific ipynb execution policy is set then reflect it - } else if (typeof (format.execute[kExecuteIpynb]) === "boolean") { - executeEnabled = format.execute[kExecuteIpynb]; - - // if a specific execution policy is set then reflect it - } else if (typeof (format.execute[kExecuteEnabled]) == "boolean") { - executeEnabled = format.execute[kExecuteEnabled]; + // Helper functions (inline) + const checkCompleteMessage = (message: string) => { + if (!conf.jsonResult) { + quarto.console.completeMessage(message); + } + }; + const checkInfoMsg = (message: string) => { + if (!conf.jsonResult) { + info(message); + } + }; - // otherwise default to NOT executing - } else { - executeEnabled = false; + // Render check helper (inline) + const checkJupyterRender = async () => { + const json: Record = {}; + if (conf.jsonResult) { + (conf.jsonResult.render as Record).jupyter = json; } - // return format w/ execution policy - if (executeEnabled !== undefined) { - return { - ...format, - execute: { - ...format.execute, - [kExecuteEnabled]: executeEnabled, - }, - }; - // otherwise just return the original format + const result = await quarto.system.checkRender({ + content: ` +--- +title: "Title" +--- + +## Header + +\`\`\`{python} +1 + 1 +\`\`\` +`, + language: "python", + services: conf.services, + }); + + if (result.error) { + if (!conf.jsonResult) { + throw result.error; + } else { + json["error"] = result.error; + } } else { - return format; + json["ok"] = true; } - // not an ipynb - } else { - return format; - } - }, + }; - execute: async (options: ExecuteOptions): Promise => { - // create the target input if we need to (could have been removed - // by the cleanup step of another render in this invocation) - if ( - (isQmdFile(options.target.source) || - isJupyterPercentScript(options.target.source)) && - !existsSync(options.target.input) - ) { - await createNotebookforTarget(options.target); + // Main check logic + const kMessage = "Checking Python 3 installation...."; + const jupyterJson: Record = {}; + if (conf.jsonResult) { + (conf.jsonResult.tools as Record).jupyter = jupyterJson; } - - // determine the kernel (it's in the custom execute options data) - let kernelspec = (options.target.data as JupyterTargetData).kernelspec; - - // determine execution behavior - const execute = options.format.execute[kExecuteEnabled] !== false; - if (execute) { - // if yaml front matter has a different kernel then use it - if (isJupyterNotebook(options.target.source)) { - kernelspec = await ensureYamlKernelspec(options.target, kernelspec) || - kernelspec; + let caps: JupyterCapabilities | undefined; + if (conf.jsonResult) { + caps = await quarto.jupyter.capabilities(); + } else { + await quarto.console.withSpinner({ + message: kMessage, + doneMessage: false, + }, async () => { + caps = await quarto.jupyter.capabilities(); + }); + } + if (caps) { + checkCompleteMessage(kMessage + "OK"); + if (conf.jsonResult) { + jupyterJson["capabilities"] = await quarto.jupyter.capabilitiesJson(caps); + } else { + checkInfoMsg(await quarto.jupyter.capabilitiesMessage(caps, kIndent)); } - - // jupyter back end requires full path to input (to ensure that - // keepalive kernels are never re-used across multiple inputs - // that happen to share a hash) - const execOptions = { - ...options, - target: { - ...options.target, - input: normalizePath(options.target.input), - }, - }; - - // use daemon by default if we are in an interactive session (terminal - // or rstudio) and not running in a CI system. - let executeDaemon = options.format.execute[kExecuteDaemon]; - if (executeDaemon === null || executeDaemon === undefined) { - if (await disableDaemonForNotebook(options.target)) { - executeDaemon = false; + checkInfoMsg(""); + if (caps.jupyter_core) { + if (await quarto.jupyter.kernelspecForLanguage("python")) { + const kJupyterMessage = "Checking Jupyter engine render...."; + if (conf.jsonResult) { + await checkJupyterRender(); + } else { + await quarto.console.withSpinner({ + message: kJupyterMessage, + doneMessage: kJupyterMessage + "OK\n", + }, async () => { + await checkJupyterRender(); + }); + } } else { - executeDaemon = isInteractiveSession() && !runningInCI(); + jupyterJson["kernels"] = []; + checkInfoMsg( + kIndent + "NOTE: No Jupyter kernel for Python found", + ); + checkInfoMsg(""); } - } - const jupyterExecOptions: JupyterExecuteOptions = { - kernelspec, - python_cmd: await pythonExec(kernelspec), - supervisor_pid: options.previewServer ? Deno.pid : undefined, - ...execOptions, - }; - if (executeDaemon === false || executeDaemon === 0) { - await executeKernelOneshot(jupyterExecOptions); } else { - await executeKernelKeepalive(jupyterExecOptions); + const installMessage = quarto.jupyter.installationMessage(caps, kIndent); + checkInfoMsg(installMessage); + checkInfoMsg(""); + jupyterJson["installed"] = false; + jupyterJson["how-to-install"] = installMessage; + const envMessage = quarto.jupyter.unactivatedEnvMessage(caps, kIndent); + if (envMessage) { + checkInfoMsg(envMessage); + checkInfoMsg(""); + jupyterJson["env"] = { + "warning": envMessage, + }; + } } + } else { + checkCompleteMessage(kMessage + "(None)\n"); + const msg = quarto.jupyter.pythonInstallationMessage(kIndent); + jupyterJson["installed"] = false; + jupyterJson["how-to-install-python"] = msg; + checkInfoMsg(msg); + checkInfoMsg(""); } + }, - // convert to markdown and write to target (only run notebook filters - // if the source is an ipynb file) - const nbContents = await jupyterNotebookFiltered( - options.target.input, - isJupyterNotebook(options.target.source) - ? options.format.execute[kIpynbFilters] - : [], - ); + // Launch method will return an instance with context + launch: (context: EngineProjectContext): ExecutionEngineInstance => { + return { + name: jupyterEngineDiscovery.name, + canFreeze: jupyterEngineDiscovery.canFreeze, + + markdownForFile: (file: string): Promise => { + if (quarto.jupyter.isJupyterNotebook(file)) { + const nbJSON = Deno.readTextFileSync(file); + const nb = quarto.jupyter.fromJSON(nbJSON); + return Promise.resolve( + quarto.mappedString.fromString( + quarto.jupyter.markdownFromNotebookJSON(nb), + ), + ); + } else if (quarto.jupyter.isPercentScript(file)) { + return Promise.resolve( + quarto.mappedString.fromString( + quarto.jupyter.percentScriptToMarkdown(file), + ), + ); + } else { + return Promise.resolve(quarto.mappedString.fromFile(file)); + } + }, - const nb = jupyterFromJSON(nbContents); + target: async ( + file: string, + quiet?: boolean, + markdown?: MappedString, + ): Promise => { + if (!markdown) { + markdown = await context.resolveFullMarkdownForFile(undefined, file); + } - // cells tagged 'shinylive' should be emmited as markdown - fixupShinyliveCodeCells(nb); + // at some point we'll resolve a full notebook/kernelspec + let nb: JupyterNotebook | undefined; + if (quarto.jupyter.isJupyterNotebook(file)) { + const nbJSON = Deno.readTextFileSync(file); + const nbRaw = JSON.parse(nbJSON); + + // https://github.com/quarto-dev/quarto-cli/issues/12374 + // kernelspecs are not guaranteed to have a language field + // so we need to check for it and if not present + // use the language_info.name field + if ( + nbRaw.metadata.kernelspec && + nbRaw.metadata.kernelspec.language === undefined && + nbRaw.metadata.language_info?.name + ) { + nbRaw.metadata.kernelspec.language = + nbRaw.metadata.language_info.name; + } + nb = nbRaw as JupyterNotebook; + } - const assets = jupyterAssets( - options.target.input, - options.format.pandoc.to, - ); + // cache check for percent script + const isPercentScript = quarto.jupyter.isPercentScript(file); + + // get the metadata + const metadata = quarto.markdownRegex.extractYaml(markdown!.value); + + // if this is a text markdown file then create a notebook for use as the execution target + if (quarto.path.isQmdFile(file) || isPercentScript) { + // write a transient notebook + const [fileDir, fileStem] = quarto.path.dirAndStem(file); + // See #4802 + // I don't love using an extension other than .ipynb for this file, + // but doing something like .quarto.ipynb would require a lot + // of additional changes to our file handling code (without changes, + // our output files would be called $FILE.quarto.html, which + // is not what we want). So for now, we'll use .quarto_ipynb + const notebook = join(fileDir, fileStem + ".quarto_ipynb"); + const target = { + source: file, + input: notebook, + markdown: markdown!, + metadata, + data: { transient: true, kernelspec: {} }, + }; + nb = await createNotebookforTarget(target); + target.data.kernelspec = nb.metadata.kernelspec; + return target; + } else if (quarto.jupyter.isJupyterNotebook(file)) { + return { + source: file, + input: file, + markdown: markdown!, + metadata, + data: { transient: false, kernelspec: nb?.metadata.kernelspec }, + }; + } else { + return undefined; + } + }, - // Preserve the cell metadata if users have asked us to, or if this is dashboard - // that is coming from a non-qmd source - const preserveCellMetadata = - options.format.render[kNotebookPreserveCells] === true || - (isHtmlDashboardOutput(options.format.identifier[kBaseFormat]) && - !isQmdFile(options.target.source)); - - // NOTE: for perforance reasons the 'nb' is mutated in place - // by jupyterToMarkdown (we don't want to make a copy of a - // potentially very large notebook) so should not be relied - // on subseuqent to this call - const result = await jupyterToMarkdown( - nb, - { - executeOptions: options, - language: nb.metadata.kernelspec.language.toLowerCase(), - assets, - execute: options.format.execute, - keepHidden: options.format.render[kKeepHidden], - toHtml: isHtmlCompatible(options.format), - toLatex: isLatexOutput(options.format.pandoc), - toMarkdown: isMarkdownOutput(options.format), - toIpynb: isIpynbOutput(options.format.pandoc), - toPresentation: isPresentationOutput(options.format.pandoc), - figFormat: options.format.execute[kFigFormat], - figDpi: options.format.execute[kFigDpi], - figPos: options.format.render[kFigPos], - preserveCellMetadata, - preserveCodeCellYaml: - options.format.render[kIpynbProduceSourceNotebook] === true, + partitionedMarkdown: async (file: string, format?: Format) => { + if (quarto.jupyter.isJupyterNotebook(file)) { + return quarto.markdownRegex.partition( + await quarto.jupyter.markdownFromNotebookFile(file, format), + ); + } else if (quarto.jupyter.isPercentScript(file)) { + return quarto.markdownRegex.partition( + quarto.jupyter.percentScriptToMarkdown(file), + ); + } else { + return quarto.markdownRegex.partition(Deno.readTextFileSync(file)); + } }, - ); - // return dependencies as either includes or raw dependencies - let includes: PandocIncludes | undefined; - let engineDependencies: Record> | undefined; - if (options.dependencies) { - includes = executeResultIncludes(options.tempDir, result.dependencies); - } else { - const dependencies = executeResultEngineDependencies(result.dependencies); - if (dependencies) { - engineDependencies = { - [kJupyterEngine]: dependencies, - }; - } - } + filterFormat: ( + source: string, + options: RenderOptions, + format: Format, + ) => { + // if this is shiny server and the user hasn't set keep-hidden then + // set it as well as the attibutes required to remove the hidden blocks + if ( + quarto.format.isServerShinyPython(format, kJupyterEngine) && + format.render[kKeepHidden] !== true + ) { + format = { + ...format, + render: { + ...format.render, + }, + metadata: { + ...format.metadata, + }, + }; + format.render[kKeepHidden] = true; + format.metadata[kRemoveHidden] = "all"; + } - // if it's a transient notebook then remove it - // (unless keep-ipynb was specified) - cleanupNotebook(options.target, options.format, options.project); + if (quarto.jupyter.isJupyterNotebook(source)) { + // see if we want to override execute enabled + let executeEnabled: boolean | null | undefined; + + // we never execute for a dev server reload + if (options.devServerReload) { + executeEnabled = false; + + // if a specific ipynb execution policy is set then reflect it + } else if (typeof (format.execute[kExecuteIpynb]) === "boolean") { + executeEnabled = format.execute[kExecuteIpynb]; + + // if a specific execution policy is set then reflect it + } else if (typeof (format.execute[kExecuteEnabled]) == "boolean") { + executeEnabled = format.execute[kExecuteEnabled]; + + // otherwise default to NOT executing + } else { + executeEnabled = false; + } + + // return format w/ execution policy + if (executeEnabled !== undefined) { + return { + ...format, + execute: { + ...format.execute, + [kExecuteEnabled]: executeEnabled, + }, + }; + // otherwise just return the original format + } else { + return format; + } + // not an ipynb + } else { + return format; + } + }, - // Create markdown from the result - const outputs = result.cellOutputs.map((output) => output.markdown); - if (result.notebookOutputs) { - if (result.notebookOutputs.prefix) { - outputs.unshift(result.notebookOutputs.prefix); - } - if (result.notebookOutputs.suffix) { - outputs.push(result.notebookOutputs.suffix); - } - } - const markdown = outputs.join(""); + execute: async (options: ExecuteOptions): Promise => { + // create the target input if we need to (could have been removed + // by the cleanup step of another render in this invocation) + if ( + (quarto.path.isQmdFile(options.target.source) || + quarto.jupyter.isPercentScript(options.target.source)) && + !existsSync(options.target.input) + ) { + await createNotebookforTarget(options.target); + } - // return results - return { - engine: kJupyterEngine, - markdown: markdown, - supporting: [join(assets.base_dir, assets.supporting_dir)], - filters: [], - pandoc: result.pandoc, - includes, - engineDependencies, - preserve: result.htmlPreserve, - postProcess: result.htmlPreserve && - (Object.keys(result.htmlPreserve).length > 0), - }; - }, + // determine the kernel (it's in the custom execute options data) + let kernelspec = (options.target.data as JupyterTargetData).kernelspec; + + // determine execution behavior + const execute = options.format.execute[kExecuteEnabled] !== false; + if (execute) { + // if yaml front matter has a different kernel then use it + if (quarto.jupyter.isJupyterNotebook(options.target.source)) { + kernelspec = + await ensureYamlKernelspec(options.target, kernelspec) || + kernelspec; + } + + // jupyter back end requires full path to input (to ensure that + // keepalive kernels are never re-used across multiple inputs + // that happen to share a hash) + const execOptions = { + ...options, + target: { + ...options.target, + input: quarto.path.absolute(options.target.input), + }, + }; + + // use daemon by default if we are in an interactive session (terminal + // or rstudio) and not running in a CI system. + let executeDaemon = options.format.execute[kExecuteDaemon]; + if (executeDaemon === null || executeDaemon === undefined) { + if (await disableDaemonForNotebook(options.target)) { + executeDaemon = false; + } else { + executeDaemon = quarto.system.isInteractiveSession() && + !quarto.system.runningInCI(); + } + } + const jupyterExecOptions: JupyterExecuteOptions = { + kernelspec, + python_cmd: await quarto.jupyter.pythonExec(kernelspec), + supervisor_pid: options.previewServer ? Deno.pid : undefined, + ...execOptions, + }; + if (executeDaemon === false || executeDaemon === 0) { + await executeKernelOneshot(jupyterExecOptions); + } else { + await executeKernelKeepalive(jupyterExecOptions); + } + } - executeTargetSkipped: cleanupNotebook, + // convert to markdown and write to target (only run notebook filters + // if the source is an ipynb file) + const nbContents = await quarto.jupyter.notebookFiltered( + options.target.input, + quarto.jupyter.isJupyterNotebook(options.target.source) + ? (options.format.execute[kIpynbFilters] as string[] || []) + : [], + ); - dependencies: (options: DependenciesOptions) => { - const includes: PandocIncludes = {}; - if (options.dependencies) { - const includeFiles = includesForJupyterWidgetDependencies( - options.dependencies as JupyterWidgetDependencies[], - options.tempDir, - ); - if (includeFiles.inHeader) { - includes[kIncludeInHeader] = [includeFiles.inHeader]; - } - if (includeFiles.afterBody) { - includes[kIncludeAfterBody] = [includeFiles.afterBody]; - } - } - return Promise.resolve({ - includes, - }); - }, + const nb = quarto.jupyter.fromJSON(nbContents); - run: async (options: RunOptions): Promise => { - // semver doesn't support 4th component - const asSemVer = (version: string) => { - const v = version.split("."); - if (v.length > 3) { - return `${v[0]}.${v[1]}.${v[2]}`; - } else { - return version; - } - }; + // cells tagged 'shinylive' should be emmited as markdown + fixupShinyliveCodeCells(nb); - // confirm required version of shiny - const kShinyVersion = ">=0.6"; - let shinyError: string | undefined; - const caps = await jupyterCapabilities(); - if (!caps?.shiny) { - shinyError = - "The shiny package is required for documents with server: shiny"; - } else if (!satisfies(asSemVer(caps.shiny), asSemVer(kShinyVersion))) { - shinyError = - `The shiny package version must be ${kShinyVersion} for documents with server: shiny`; - } - if (shinyError) { - shinyError += - "\n\nInstall the latest version of shiny with pip install --upgrade shiny\n"; - error(shinyError); - throw new Error(); - } + const assets = quarto.jupyter.assets( + options.target.input, + options.format.pandoc.to, + ); - const [_dir] = dirAndStem(options.input); - const appFile = "app.py"; - const cmd = [ - ...await pythonExec(), - "-m", - "shiny", - "run", - appFile, - "--host", - options.host!, - "--port", - String(options.port!), - ]; - if (options.reload) { - cmd.push("--reload"); - cmd.push(`--reload-includes=*.py`); - } + // Preserve the cell metadata if users have asked us to, or if this is dashboard + // that is coming from a non-qmd source + const preserveCellMetadata = + options.format.render[kNotebookPreserveCells] === true || + (quarto.format.isHtmlDashboardOutput(options.format.identifier[kBaseFormat]) && + !quarto.path.isQmdFile(options.target.source)); + + // NOTE: for perforance reasons the 'nb' is mutated in place + // by jupyterToMarkdown (we don't want to make a copy of a + // potentially very large notebook) so should not be relied + // on subseuqent to this call + const result = await quarto.jupyter.toMarkdown( + nb, + { + executeOptions: options, + language: nb.metadata.kernelspec.language.toLowerCase(), + assets, + execute: options.format.execute, + keepHidden: options.format.render[kKeepHidden], + toHtml: quarto.format.isHtmlCompatible(options.format), + toLatex: quarto.format.isLatexOutput(options.format.pandoc), + toMarkdown: quarto.format.isMarkdownOutput(options.format), + toIpynb: quarto.format.isIpynbOutput(options.format.pandoc), + toPresentation: quarto.format.isPresentationOutput(options.format.pandoc), + figFormat: options.format.execute[kFigFormat], + figDpi: options.format.execute[kFigDpi], + figPos: options.format.render[kFigPos], + preserveCellMetadata, + preserveCodeCellYaml: + options.format.render[kIpynbProduceSourceNotebook] === true, + }, + ); - // start server - const readyPattern = /(http:\/\/(?:localhost|127\.0\.0\.1)\:\d+\/?[^\s]*)/; - const server = runExternalPreviewServer({ - cmd, - readyPattern, - cwd: dirname(options.input), - }); - await server.start(); + // return dependencies as either includes or raw dependencies + let includes: PandocIncludes | undefined; + let engineDependencies: Record> | undefined; + if (options.dependencies) { + includes = quarto.jupyter.resultIncludes( + options.tempDir, + result.dependencies, + ); + } else { + const dependencies = quarto.jupyter.resultEngineDependencies( + result.dependencies, + ); + if (dependencies) { + engineDependencies = { + [kJupyterEngine]: dependencies, + }; + } + } - // stop the server onCleanup - onCleanup(async () => { - await server.stop(); - }); + // if it's a transient notebook then remove it + // (unless keep-ipynb was specified) + cleanupNotebook(options.target, options.format, context); + + // Create markdown from the result + const outputs = result.cellOutputs.map((output) => output.markdown); + if (result.notebookOutputs) { + if (result.notebookOutputs.prefix) { + outputs.unshift(result.notebookOutputs.prefix); + } + if (result.notebookOutputs.suffix) { + outputs.push(result.notebookOutputs.suffix); + } + } + const markdown = outputs.join(""); - // notify when ready - if (options.onReady) { - options.onReady(); - } + // return results + return { + engine: kJupyterEngine, + markdown: markdown, + supporting: [join(assets.base_dir, assets.supporting_dir)], + filters: [], + pandoc: result.pandoc, + includes, + engineDependencies, + preserve: result.htmlPreserve, + postProcess: result.htmlPreserve && + (Object.keys(result.htmlPreserve).length > 0), + }; + }, - // run the server - return server.serve(); - }, + executeTargetSkipped: (target: ExecutionTarget, format: Format) => { + cleanupNotebook(target, format, context); + }, - postRender: async (file: RenderResultFile, _context?: ProjectContext) => { - // discover non _files dir resources for server: shiny and amend app.py with them - if (isServerShiny(file.format)) { - const [dir] = dirAndStem(file.input); - const filesDir = join(dir, inputFilesDir(file.input)); - const extraResources = file.resourceFiles - .filter((resource) => !resource.startsWith(filesDir)) - .map((resource) => relative(dir, resource)); - const appScriptDir = _context ? projectOutputDir(_context) : dir; - const appScript = join(appScriptDir, `app.py`); - if (existsSync(appScript)) { - // compute static assets - const staticAssets = [inputFilesDir(file.input), ...extraResources]; - - // check for (illegal) parent dir assets - const parentDirAssets = staticAssets.filter((asset) => - asset.startsWith("..") - ); - if (parentDirAssets.length > 0) { - error( - `References to files in parent directories found in document with server: shiny ` + - `(${basename(file.input)}): ${ - JSON.stringify(parentDirAssets) - }. All resource files referenced ` + - `by Shiny documents must exist in the same directory as the source file.`, + dependencies: (options: DependenciesOptions) => { + const includes: PandocIncludes = {}; + if (options.dependencies) { + const includeFiles = quarto.jupyter.widgetDependencyIncludes( + options.dependencies as JupyterWidgetDependencies[], + options.tempDir, ); - throw new Error(); + if (includeFiles.inHeader) { + includes[kIncludeInHeader] = [includeFiles.inHeader]; + } + if (includeFiles.afterBody) { + includes[kIncludeAfterBody] = [includeFiles.afterBody]; + } } + return Promise.resolve({ + includes, + }); + }, - // In the app.py file, replace the placeholder with the list of static assets. - let appContents = Deno.readTextFileSync(appScript); - appContents = appContents.replace( - "##STATIC_ASSETS_PLACEHOLDER##", - JSON.stringify(staticAssets), - ); - Deno.writeTextFileSync(appScript, appContents); - } - } - }, + postprocess: (options: PostProcessOptions) => { + quarto.text.postProcessRestorePreservedHtml(options); + return Promise.resolve(); + }, - postprocess: (options: PostProcessOptions) => { - postProcessRestorePreservedHtml(options); - return Promise.resolve(); - }, + canKeepSource: (target: ExecutionTarget) => { + return !quarto.jupyter.isJupyterNotebook(target.source); + }, - canFreeze: true, + intermediateFiles: (input: string) => { + const files: string[] = []; + const [fileDir, fileStem] = quarto.path.dirAndStem(input); + + if (!quarto.jupyter.isJupyterNotebook(input)) { + files.push(join(fileDir, fileStem + ".ipynb")); + } else if ( + [...kQmdExtensions, ...kJupyterPercentScriptExtensions].some( + (ext) => { + return existsSync(join(fileDir, fileStem + ext)); + }, + ) + ) { + files.push(input); + } + return files; + }, - generatesFigures: true, + run: async (options: RunOptions): Promise => { + // semver doesn't support 4th component + const asSemVer = (version: string) => { + const v = version.split("."); + if (v.length > 3) { + return `${v[0]}.${v[1]}.${v[2]}`; + } else { + return version; + } + }; - ignoreDirs: () => { - return ["venv", "env"]; - }, + // confirm required version of shiny + const kShinyVersion = ">=0.6"; + let shinyError: string | undefined; + const caps = await quarto.jupyter.capabilities(); + if (!caps?.shiny) { + shinyError = + "The shiny package is required for documents with server: shiny"; + } else if ( + !satisfies(asSemVer(caps.shiny), asSemVer(kShinyVersion)) + ) { + shinyError = + `The shiny package version must be ${kShinyVersion} for documents with server: shiny`; + } + if (shinyError) { + shinyError += + "\n\nInstall the latest version of shiny with pip install --upgrade shiny\n"; + error(shinyError); + throw new Error(); + } - canKeepSource: (target: ExecutionTarget) => { - return !isJupyterNotebook(target.source); - }, + const [_dir] = quarto.path.dirAndStem(options.input); + const appFile = "app.py"; + const cmd = [ + ...await quarto.jupyter.pythonExec(), + "-m", + "shiny", + "run", + appFile, + "--host", + options.host!, + "--port", + String(options.port!), + ]; + if (options.reload) { + cmd.push("--reload"); + cmd.push(`--reload-includes=*.py`); + } - intermediateFiles: (input: string) => { - const files: string[] = []; - const [fileDir, fileStem] = dirAndStem(input); - - if (!isJupyterNotebook(input)) { - files.push(join(fileDir, fileStem + ".ipynb")); - } else if ( - [...kQmdExtensions, ...kJupyterPercentScriptExtensions].some((ext) => { - return existsSync(join(fileDir, fileStem + ext)); - }) - ) { - files.push(input); - } - return files; + // start server + const readyPattern = + /(http:\/\/(?:localhost|127\.0\.0\.1)\:\d+\/?[^\s]*)/; + const server = quarto.system.runExternalPreviewServer({ + cmd, + readyPattern, + cwd: dirname(options.input), + }); + await server.start(); + + // stop the server onCleanup + quarto.system.onCleanup(async () => { + await server.stop(); + }); + + // notify when ready + if (options.onReady) { + options.onReady(); + } + + // run the server + return server.serve(); + }, + + postRender: async (file: RenderResultFile) => { + // discover non _files dir resources for server: shiny and amend app.py with them + if (quarto.format.isServerShiny(file.format)) { + const [dir] = quarto.path.dirAndStem(file.input); + const filesDir = join(dir, quarto.path.inputFilesDir(file.input)); + const extraResources = file.resourceFiles + .filter((resource) => !resource.startsWith(filesDir)) + .map((resource) => relative(dir, resource)); + const appScriptDir = context ? context.getOutputDirectory() : dir; + const appScript = join(appScriptDir, `app.py`); + if (existsSync(appScript)) { + // compute static assets + const staticAssets = [ + quarto.path.inputFilesDir(file.input), + ...extraResources, + ]; + + // check for (illegal) parent dir assets + const parentDirAssets = staticAssets.filter((asset) => + asset.startsWith("..") + ); + if (parentDirAssets.length > 0) { + error( + `References to files in parent directories found in document with server: shiny ` + + `(${basename(file.input)}): ${ + JSON.stringify(parentDirAssets) + }. All resource files referenced ` + + `by Shiny documents must exist in the same directory as the source file.`, + ); + throw new Error(); + } + + // In the app.py file, replace the placeholder with the list of static assets. + let appContents = Deno.readTextFileSync(appScript); + appContents = appContents.replace( + "##STATIC_ASSETS_PLACEHOLDER##", + JSON.stringify(staticAssets), + ); + Deno.writeTextFileSync(appScript, appContents); + } + } + }, + }; }, }; @@ -638,11 +745,11 @@ async function ensureYamlKernelspec( kernelspec: JupyterKernelspec, ) { const markdown = target.markdown.value; - const yamlJupyter = readYamlFromMarkdown(markdown)?.jupyter; + const yamlJupyter = quarto.markdownRegex.extractYaml(markdown)?.jupyter; if (yamlJupyter && typeof yamlJupyter !== "boolean") { - const [yamlKernelspec, _] = await jupyterKernelspecFromMarkdown(markdown); + const [yamlKernelspec, _] = await quarto.jupyter.kernelspecFromMarkdown(markdown); if (yamlKernelspec.name !== kernelspec?.name) { - const nb = jupyterFromJSON(Deno.readTextFileSync(target.source)); + const nb = quarto.jupyter.fromJSON(Deno.readTextFileSync(target.source)); nb.metadata.kernelspec = yamlKernelspec; Deno.writeTextFileSync(target.source, JSON.stringify(nb, null, 2)); return yamlKernelspec; @@ -672,9 +779,9 @@ function fixupShinyliveCodeCells(nb: JupyterNotebook) { async function createNotebookforTarget( target: ExecutionTarget, - project?: ProjectContext, + project?: EngineProjectContext, ) { - const nb = await quartoMdToJupyter(target.markdown.value, true, project); + const nb = await quarto.jupyter.quartoMdToJupyter(target.markdown.value, true, project); Deno.writeTextFileSync(target.input, JSON.stringify(nb, null, 2)); return nb; } @@ -696,7 +803,7 @@ async function disableDaemonForNotebook(target: ExecutionTarget) { "rm", "rmdir", ]; - const nb = await breakQuartoMd(target.markdown); + const nb = await quarto.markdownRegex.breakQuartoMd(target.markdown); for (const cell of nb.cells) { if (ld.isObject(cell.cell_type)) { const language = (cell.cell_type as { language: string }).language; @@ -719,12 +826,12 @@ async function disableDaemonForNotebook(target: ExecutionTarget) { function cleanupNotebook( target: ExecutionTarget, format: Format, - project: ProjectContext, + project: EngineProjectContext, ) { // Make notebook non-transient when keep-ipynb is set const data = target.data as JupyterTargetData; - const cached = ensureFileInformationCache(project, target.source); - if (data.transient && format.execute[kKeepIpynb]) { + const cached = project.fileInformationCache.get(target.source); + if (cached && data.transient && format.execute[kKeepIpynb]) { if (cached.target && cached.target.data) { (cached.target.data as JupyterTargetData).transient = false; } @@ -742,7 +849,7 @@ export function executeResultIncludes( ): PandocIncludes | undefined { if (widgetDependencies) { const includes: PandocIncludes = {}; - const includeFiles = includesForJupyterWidgetDependencies( + const includeFiles = quarto.jupyter.widgetDependencyIncludes( [widgetDependencies], tempDir, ); diff --git a/src/execute/jupyter/percent.ts b/src/execute/jupyter/percent.ts index d73e8d2a307..70d6b105f06 100644 --- a/src/execute/jupyter/percent.ts +++ b/src/execute/jupyter/percent.ts @@ -6,13 +6,11 @@ import { extname } from "../../deno_ral/path.ts"; -import { lines } from "../../core/text.ts"; -import { trimEmptyLines } from "../../core/lib/text.ts"; import { Metadata } from "../../config/types.ts"; -import { asYamlText } from "../../core/jupyter/jupyter-fixups.ts"; import { pandocAttrKeyvalueFromText } from "../../core/pandoc/pandoc-attr.ts"; import { kCellRawMimeType } from "../../config/constants.ts"; import { mdFormatOutput, mdRawOutput } from "../../core/jupyter/jupyter.ts"; +import { quartoAPI as quarto } from "../../core/quarto-api.ts"; export const kJupyterPercentScriptExtensions = [ ".py", @@ -39,7 +37,7 @@ export function markdownFromJupyterPercentScript(file: string) { // break into cells const cells: PercentCell[] = []; const activeCell = () => cells[cells.length - 1]; - for (const line of lines(Deno.readTextFileSync(file).trim())) { + for (const line of quarto.text.lines(Deno.readTextFileSync(file).trim())) { const header = percentCellHeader(line); if (header) { cells.push({ header, lines: [] }); @@ -65,11 +63,11 @@ export function markdownFromJupyterPercentScript(file: string) { }; return cells.reduce((markdown, cell) => { - const cellLines = trimEmptyLines(cell.lines); + const cellLines = quarto.text.trimEmptyLines(cell.lines); if (cell.header.type === "code") { if (cell.header.metadata) { - const yamlText = asYamlText(cell.header.metadata); - cellLines.unshift(...lines(yamlText).map((line) => `#| ${line}`)); + const yamlText = quarto.text.asYamlText(cell.header.metadata); + cellLines.unshift(...quarto.text.lines(yamlText).map((line) => `#| ${line}`)); } markdown += asCell(["```{" + language + "}", ...cellLines, "```"]); } else if (cell.header.type === "markdown") { @@ -79,10 +77,10 @@ export function markdownFromJupyterPercentScript(file: string) { const format = cell.header?.metadata?.["format"]; const mimeType = cell.header.metadata?.[kCellRawMimeType]; if (typeof mimeType === "string") { - const rawBlock = mdRawOutput(mimeType, lines(rawContent)); + const rawBlock = mdRawOutput(mimeType, quarto.text.lines(rawContent)); rawContent = rawBlock || rawContent; } else if (typeof format === "string") { - rawContent = mdFormatOutput(format, lines(rawContent)); + rawContent = mdFormatOutput(format, quarto.text.lines(rawContent)); } markdown += rawContent; } diff --git a/src/execute/markdown.ts b/src/execute/markdown.ts index f802974de3a..b7d27a60cd0 100644 --- a/src/execute/markdown.ts +++ b/src/execute/markdown.ts @@ -6,90 +6,104 @@ import { extname } from "../deno_ral/path.ts"; -import { readYamlFromMarkdown } from "../core/yaml.ts"; -import { partitionMarkdown } from "../core/pandoc/pandoc-partition.ts"; - import { DependenciesOptions, ExecuteOptions, - ExecutionEngine, + ExecutionEngineDiscovery, + ExecutionEngineInstance, ExecutionTarget, kMarkdownEngine, kQmdExtensions, PostProcessOptions, } from "./types.ts"; -import { languagesInMarkdown } from "./engine-shared.ts"; -import { mappedStringFromFile } from "../core/mapped-text.ts"; import { MappedString } from "../core/lib/text-types.ts"; +import { EngineProjectContext } from "../project/types.ts"; +import type { QuartoAPI } from "../core/quarto-api.ts"; export const kMdExtensions = [".md", ".markdown"]; -export const markdownEngine: ExecutionEngine = { - name: kMarkdownEngine, +let quarto: QuartoAPI; - defaultExt: ".qmd", +/** + * Markdown engine implementation with discovery and launch capabilities + */ +export const markdownEngineDiscovery: ExecutionEngineDiscovery = { + init: (quartoAPI) => { + quarto = quartoAPI; + }, + name: kMarkdownEngine, + defaultExt: ".qmd", defaultYaml: () => [], - defaultContent: () => [], - validExtensions: () => kQmdExtensions.concat(kMdExtensions), - claimsFile: (_file: string, ext: string) => { return kMdExtensions.includes(ext.toLowerCase()); }, claimsLanguage: (_language: string) => { return false; }, - markdownForFile(file: string): Promise { - return Promise.resolve(mappedStringFromFile(file)); - }, - - target: (file: string, _quiet?: boolean, markdown?: MappedString) => { - if (markdown === undefined) { - markdown = mappedStringFromFile(file); - } - const target: ExecutionTarget = { - source: file, - input: file, - markdown, - metadata: readYamlFromMarkdown(markdown.value), - }; - return Promise.resolve(target); - }, - - partitionedMarkdown: (file: string) => { - return Promise.resolve(partitionMarkdown(Deno.readTextFileSync(file))); - }, - - execute: (options: ExecuteOptions) => { - // read markdown - const markdown = options.target.markdown.value; + canFreeze: false, + generatesFigures: false, - // if it's plain md, validate that it doesn't have executable cells in it - if (extname(options.target.input).toLowerCase() === ".md") { - const languages = languagesInMarkdown(markdown); - if (languages.size > 0) { - throw new Error( - "You must use the .qmd extension for documents with executable code.", + /** + * Launch a dynamic execution engine with project context + */ + launch: (context: EngineProjectContext): ExecutionEngineInstance => { + return { + name: markdownEngineDiscovery.name, + canFreeze: markdownEngineDiscovery.canFreeze, + + markdownForFile(file: string): Promise { + return Promise.resolve(quarto.mappedString.fromFile(file)); + }, + + target: (file: string, _quiet?: boolean, markdown?: MappedString) => { + const md = markdown ?? quarto.mappedString.fromFile(file); + const target: ExecutionTarget = { + source: file, + input: file, + markdown: md, + metadata: quarto.markdownRegex.extractYaml(md.value), + }; + return Promise.resolve(target); + }, + + partitionedMarkdown: (file: string) => { + return Promise.resolve( + quarto.markdownRegex.partition(Deno.readTextFileSync(file)), ); - } - } - - return Promise.resolve({ - engine: kMarkdownEngine, - markdown, - supporting: [], - filters: [], - }); - }, - dependencies: (_options: DependenciesOptions) => { - return Promise.resolve({ - includes: {}, - }); + }, + + execute: (options: ExecuteOptions) => { + // read markdown + const markdown = options.target.markdown.value; + + // if it's plain md, validate that it doesn't have executable cells in it + if (extname(options.target.input).toLowerCase() === ".md") { + const languages = quarto.markdownRegex.getLanguages(markdown); + if (languages.size > 0) { + throw new Error( + "You must use the .qmd extension for documents with executable code.", + ); + } + } + + return Promise.resolve({ + engine: kMarkdownEngine, + markdown, + supporting: [], + filters: [], + }); + }, + + dependencies: (_options: DependenciesOptions) => { + return Promise.resolve({ + includes: {}, + }); + }, + + postprocess: (_options: PostProcessOptions) => Promise.resolve(), + }; }, - postprocess: (_options: PostProcessOptions) => Promise.resolve(), - - canFreeze: false, - generatesFigures: false, }; diff --git a/src/execute/rmd.ts b/src/execute/rmd.ts index 07589a60bdc..1edd12497b1 100644 --- a/src/execute/rmd.ts +++ b/src/execute/rmd.ts @@ -10,16 +10,16 @@ import { basename, extname } from "../deno_ral/path.ts"; import * as colors from "fmt/colors"; -import { execProcess } from "../core/process.ts"; -import { rBinaryPath, resourcePath } from "../core/resources.ts"; -import { readYamlFromMarkdown } from "../core/yaml.ts"; -import { partitionMarkdown } from "../core/pandoc/pandoc-partition.ts"; +// Import quartoAPI directly since we're in core codebase +import { quartoAPI as quarto } from "../core/quarto-api.ts"; + +import { rBinaryPath } from "../core/resources.ts"; import { kCodeLink } from "../config/constants.ts"; -import { isServerShiny } from "../core/render.ts"; import { checkRBinary, + KnitrCapabilities, knitrCapabilities, knitrCapabilitiesMessage, knitrInstallationMessage, @@ -30,27 +30,25 @@ import { DependenciesResult, ExecuteOptions, ExecuteResult, - ExecutionEngine, ExecutionTarget, kKnitrEngine, PostProcessOptions, RunOptions, + ExecutionEngineDiscovery, + ExecutionEngineInstance, + EngineProjectContext, } from "./types.ts"; -import { postProcessRestorePreservedHtml } from "./engine-shared.ts"; -import { mappedStringFromFile } from "../core/mapped-text.ts"; +import type { CheckConfiguration } from "../command/check/check.ts"; import { asMappedString, mappedIndexToLineCol, MappedString, } from "../core/lib/mapped-text.ts"; -import { lineColToIndex } from "../core/lib/text.ts"; -import { executeInlineCodeHandler } from "../core/execute-inline.ts"; -import { globalTempContext } from "../core/temp.ts"; -import { ProjectContext } from "../project/types.ts"; const kRmdExtensions = [".rmd", ".rmarkdown"]; -export const knitrEngine: ExecutionEngine = { +export const knitrEngineDiscovery: ExecutionEngineDiscovery = { + // Discovery methods name: kKnitrEngine, defaultExt: ".qmd", @@ -74,180 +72,329 @@ export const knitrEngine: ExecutionEngine = { return language.toLowerCase() === "r"; }, - async markdownForFile(file: string): Promise { - const isSpin = isKnitrSpinScript(file); - if (isSpin) { - return asMappedString(await markdownFromKnitrSpinScript(file)); - } - return mappedStringFromFile(file); + canFreeze: true, + + generatesFigures: true, + + ignoreDirs: () => { + return ["renv", "packrat", "rsconnect"]; }, - target: async ( - file: string, - _quiet: boolean | undefined, - markdown: MappedString | undefined, - project: ProjectContext, - ): Promise => { - markdown = await project.resolveFullMarkdownForFile( - knitrEngine, - file, - markdown, - ); - let metadata; - try { - metadata = readYamlFromMarkdown(markdown.value); - } catch (e) { - if (!(e instanceof Error)) throw e; - error(`Error reading metadata from ${file}.\n${e.message}`); - throw e; - } - const target: ExecutionTarget = { - source: file, - input: file, - markdown, - metadata, + checkInstallation: async (conf: CheckConfiguration) => { + const kIndent = " "; + + // Helper functions (inline) + const checkCompleteMessage = (message: string) => { + if (!conf.jsonResult) { + quarto.console.completeMessage(message); + } }; - return Promise.resolve(target); - }, + const checkInfoMsg = (message: string) => { + if (!conf.jsonResult) { + info(message); + } + }; + + // Render check helper (inline) + const checkKnitrRender = async () => { + const json: Record = {}; + if (conf.jsonResult) { + (conf.jsonResult.render as Record).knitr = json; + } + + const result = await quarto.system.checkRender({ + content: ` +--- +title: "Title" +--- - partitionedMarkdown: async (file: string) => { - if (isKnitrSpinScript(file)) { - return partitionMarkdown(await markdownFromKnitrSpinScript(file)); +## Header + +\`\`\`{r} +1 + 1 +\`\`\` +`, + language: "r", + services: conf.services, + }); + + if (result.error) { + if (!conf.jsonResult) { + throw result.error; + } else { + json["error"] = result.error; + } + } else { + json["ok"] = true; + } + }; + + // Main check logic + const kMessage = "Checking R installation..........."; + let caps: KnitrCapabilities | undefined; + let rBin: string | undefined; + const json: Record = {}; + if (conf.jsonResult) { + (conf.jsonResult.tools as Record).knitr = json; + } + const knitrCb = async () => { + rBin = await checkRBinary(); + caps = await knitrCapabilities(rBin); + }; + if (conf.jsonResult) { + await knitrCb(); } else { - return partitionMarkdown(Deno.readTextFileSync(file)); + await quarto.console.withSpinner({ + message: kMessage, + doneMessage: false, + }, knitrCb); + } + if (rBin && caps) { + checkCompleteMessage(kMessage + "OK"); + if (conf.jsonResult) { + json["capabilities"] = caps; + } else { + checkInfoMsg(knitrCapabilitiesMessage(caps, kIndent)); + } + checkInfoMsg(""); + if (caps.packages.rmarkdownVersOk && caps.packages.knitrVersOk) { + const kKnitrMessage = "Checking Knitr engine render......"; + if (conf.jsonResult) { + await checkKnitrRender(); + } else { + await quarto.console.withSpinner({ + message: kKnitrMessage, + doneMessage: kKnitrMessage + "OK\n", + }, async () => { + await checkKnitrRender(); + }); + } + } else { + // show install message if not available + // or update message if not up to date + json["installed"] = false; + if (!caps.packages.knitr || !caps.packages.knitrVersOk) { + const msg = knitrInstallationMessage( + kIndent, + "knitr", + !!caps.packages.knitr && !caps.packages.knitrVersOk, + ); + checkInfoMsg(msg); + json["how-to-install-knitr"] = msg; + } + if (!caps.packages.rmarkdown || !caps.packages.rmarkdownVersOk) { + const msg = knitrInstallationMessage( + kIndent, + "rmarkdown", + !!caps.packages.rmarkdown && !caps.packages.rmarkdownVersOk, + ); + checkInfoMsg(msg); + json["how-to-install-rmarkdown"] = msg; + } + checkInfoMsg(""); + } + } else if (rBin === undefined) { + checkCompleteMessage(kMessage + "(None)\n"); + const msg = rInstallationMessage(kIndent); + checkInfoMsg(msg); + json["installed"] = false; + checkInfoMsg(""); + } else if (caps === undefined) { + json["installed"] = false; + checkCompleteMessage(kMessage + "(None)\n"); + const msgs = [ + `R succesfully found at ${rBin}.`, + "However, a problem was encountered when checking configurations of packages.", + "Please check your installation of R.", + ]; + msgs.forEach((msg) => { + checkInfoMsg(msg); + }); + json["error"] = msgs.join("\n"); + checkInfoMsg(""); } }, - execute: async (options: ExecuteOptions): Promise => { - const inputBasename = basename(options.target.input); - const inputStem = basename(inputBasename, extname(inputBasename)); - - const result = await callR( - "execute", - { - ...options, - target: undefined, - input: options.target.input, - markdown: resolveInlineExecute(options.target.markdown.value), + // Launch method that returns an instance with context closure + launch: (context: EngineProjectContext): ExecutionEngineInstance => { + return { + // Instance properties (required by interface) + name: kKnitrEngine, + canFreeze: true, + + // Instance methods + async markdownForFile(file: string): Promise { + const isSpin = isKnitrSpinScript(file); + if (isSpin) { + return asMappedString(await markdownFromKnitrSpinScript(file)); + } + return quarto.mappedString.fromFile(file); }, - options.tempDir, - options.project?.isSingleFile ? undefined : options.projectDir, - options.quiet, - // fixup .rmarkdown file references - (output) => { - output = output.replaceAll( - `${inputStem}.rmarkdown`, - () => inputBasename, + + target: async ( + file: string, + _quiet?: boolean, + markdown?: MappedString, + ): Promise => { + const resolvedMarkdown = await context.resolveFullMarkdownForFile( + knitrEngineDiscovery.launch(context), + file, + markdown, ); + let metadata; + try { + metadata = quarto.markdownRegex.extractYaml(resolvedMarkdown.value); + } catch (e) { + if (!(e instanceof Error)) throw e; + error(`Error reading metadata from ${file}.\n${e.message}`); + throw e; + } + const target: ExecutionTarget = { + source: file, + input: file, + markdown: resolvedMarkdown, + metadata, + }; + return Promise.resolve(target); + }, - const m = output.match(/^Quitting from lines (\d+)-(\d+)/m); - if (m) { - const f1 = lineColToIndex(options.target.markdown.value); - const f2 = mappedIndexToLineCol(options.target.markdown); - - const newLine1 = f2(f1({ line: Number(m[1]) - 1, column: 0 })).line + - 1; - const newLine2 = f2(f1({ line: Number(m[2]) - 1, column: 0 })).line + - 1; - output = output.replace( - /^Quitting from lines (\d+)-(\d+)/m, - `\n\nQuitting from lines ${newLine1}-${newLine2}`, + partitionedMarkdown: async (file: string) => { + if (isKnitrSpinScript(file)) { + return quarto.markdownRegex.partition( + await markdownFromKnitrSpinScript(file), ); + } else { + return quarto.markdownRegex.partition(Deno.readTextFileSync(file)); } - - output = filterAlwaysAllowHtml(output); - - return output; }, - ); - const includes = result.includes as unknown; - // knitr appears to return [] instead of {} as the value for includes. - if (Array.isArray(includes) && includes.length === 0) { - result.includes = {}; - } - return result; - }, - dependencies: (options: DependenciesOptions) => { - return callR( - "dependencies", - { ...options, target: undefined, input: options.target.input }, - options.tempDir, - options.projectDir, - options.quiet, - ); - }, + execute: async (options: ExecuteOptions): Promise => { + const inputBasename = basename(options.target.input); + const inputStem = basename(inputBasename, extname(inputBasename)); + + const result = await callR( + "execute", + { + ...options, + target: undefined, + input: options.target.input, + markdown: resolveInlineExecute(options.target.markdown.value), + }, + options.tempDir, + options.project?.isSingleFile ? undefined : options.projectDir, + options.quiet, + // fixup .rmarkdown file references + (output) => { + output = output.replaceAll( + `${inputStem}.rmarkdown`, + () => inputBasename, + ); + + const m = output.match(/^Quitting from lines (\d+)-(\d+)/m); + if (m) { + const f1 = quarto.text.lineColToIndex( + options.target.markdown.value, + ); + const f2 = mappedIndexToLineCol(options.target.markdown); + + const newLine1 = f2(f1({ line: Number(m[1]) - 1, column: 0 })) + .line + 1; + const newLine2 = f2(f1({ line: Number(m[2]) - 1, column: 0 })) + .line + 1; + output = output.replace( + /^Quitting from lines (\d+)-(\d+)/m, + `\n\nQuitting from lines ${newLine1}-${newLine2}`, + ); + } - postprocess: async (options: PostProcessOptions) => { - // handle preserved html in js-land - postProcessRestorePreservedHtml(options); - - // see if we can code link - if (options.format.render?.[kCodeLink]) { - // When using shiny document, code-link proceesing is not supported - // https://github.com/quarto-dev/quarto-cli/issues/9208 - if (isServerShiny(options.format)) { - warning( - `'code-link' option will be ignored as it is not supported for 'server: shiny' due to 'downlit' R package limitation (https://github.com/quarto-dev/quarto-cli/issues/9208).`, - ); - return Promise.resolve(); - } - // Current knitr engine postprocess is all about applying downlit processing to the HTML output - await callR( - "postprocess", - { - ...options, - target: undefined, - preserve: undefined, - input: options.target.input, - }, - options.tempDir, - options.projectDir, - options.quiet, - undefined, - false, - ).then(() => { - return Promise.resolve(); - }, () => { - warning( - `Unable to perform code-link (code-link requires R packages rmarkdown, downlit, and xml2)`, - ); - return Promise.resolve(); - }); - } - }, + output = filterAlwaysAllowHtml(output); - canFreeze: true, - generatesFigures: true, + return output; + }, + ); + const includes = result.includes as unknown; + // knitr appears to return [] instead of {} as the value for includes. + if (Array.isArray(includes) && includes.length === 0) { + result.includes = {}; + } + return result; + }, - ignoreDirs: () => { - return ["renv", "packrat", "rsconnect"]; - }, + dependencies: (options: DependenciesOptions) => { + return callR( + "dependencies", + { ...options, target: undefined, input: options.target.input }, + options.tempDir, + options.projectDir, + options.quiet, + ); + }, - run: (options: RunOptions) => { - let running = false; - return callR( - "run", - options, - options.tempDir, - options.projectDir, - undefined, - // wait for 'listening' to call onReady - (output) => { - const kListeningPattern = /(Listening on) (https?:\/\/[^\n]*)/; - if (!running) { - const listeningMatch = output.match(kListeningPattern); - if (listeningMatch) { - running = true; - output = output.replace(kListeningPattern, ""); - if (options.onReady) { - options.onReady(); - } + postprocess: async (options: PostProcessOptions) => { + // handle preserved html in js-land + quarto.text.postProcessRestorePreservedHtml(options); + + // see if we can code link + if (options.format.render?.[kCodeLink]) { + // When using shiny document, code-link proceesing is not supported + // https://github.com/quarto-dev/quarto-cli/issues/9208 + if (quarto.format.isServerShiny(options.format)) { + warning( + `'code-link' option will be ignored as it is not supported for 'server: shiny' due to 'downlit' R package limitation (https://github.com/quarto-dev/quarto-cli/issues/9208).`, + ); + return Promise.resolve(); } + // Current knitr engine postprocess is all about applying downlit processing to the HTML output + await callR( + "postprocess", + { + ...options, + target: undefined, + preserve: undefined, + input: options.target.input, + }, + options.tempDir, + options.projectDir, + options.quiet, + undefined, + false, + ).then(() => { + return Promise.resolve(); + }, () => { + warning( + `Unable to perform code-link (code-link requires R packages rmarkdown, downlit, and xml2)`, + ); + return Promise.resolve(); + }); } - return output; }, - ); + + run: (options: RunOptions) => { + let running = false; + return callR( + "run", + options, + options.tempDir, + options.projectDir, + undefined, + // wait for 'listening' to call onReady + (output) => { + const kListeningPattern = /(Listening on) (https?:\/\/[^\n]*)/; + if (!running) { + const listeningMatch = output.match(kListeningPattern); + if (listeningMatch) { + running = true; + output = output.replace(kListeningPattern, ""); + if (options.onReady) { + options.onReady(); + } + } + } + return output; + }, + ); + }, + }; }, }; @@ -284,12 +431,12 @@ async function callR( ); try { - const result = await execProcess( + const result = await quarto.system.execProcess( { cmd: await rBinaryPath("Rscript"), args: [ ...rscriptArgsArray, - resourcePath("rmd/rmd.R"), + quarto.path.resource("rmd/rmd.R"), ], cwd, stderr: quiet ? "piped" : "inherit", @@ -408,7 +555,7 @@ function filterAlwaysAllowHtml(s: string): string { } function resolveInlineExecute(code: string) { - return executeInlineCodeHandler( + return quarto.text.executeInlineCodeHandler( "r", (expr) => `${"`"}r .QuartoInlineRender(${expr})${"`"}`, )(code); @@ -433,7 +580,7 @@ export async function markdownFromKnitrSpinScript(file: string) { // 2. Second as part of renderProject() call to get `partitioned` information to get `resourcesFrom` with `resourceFilesFromRenderedFile()` // we need a temp dir for `CallR` to work but we don't have access to usual options.tempDir. - const tempDir = globalTempContext().createDir(); + const tempDir = quarto.system.tempContext().createDir(); const result = await callR( "spin", diff --git a/src/execute/types.ts b/src/execute/types.ts index 489b378cc80..5d9492c22d1 100644 --- a/src/execute/types.ts +++ b/src/execute/types.ts @@ -14,8 +14,12 @@ import { PartitionedMarkdown } from "../core/pandoc/types.ts"; import { RenderOptions, RenderResultFile } from "../command/render/types.ts"; import { MappedString } from "../core/lib/text-types.ts"; import { HandlerContextResults } from "../core/handlers/types.ts"; -import { ProjectContext } from "../project/types.ts"; +import { EngineProjectContext, ProjectContext } from "../project/types.ts"; import { Command } from "cliffy/command/mod.ts"; +import type { QuartoAPI } from "../core/quarto-api.ts"; +import type { CheckConfiguration } from "../command/check/check.ts"; + +export type { EngineProjectContext }; export const kQmdExtensions = [".qmd"]; @@ -24,7 +28,18 @@ export const kKnitrEngine = "knitr"; export const kJupyterEngine = "jupyter"; export const kJuliaEngine = "julia"; -export interface ExecutionEngine { +/** + * Interface for the static discovery phase of execution engines + * Used to determine which engine should handle a file + */ +export interface ExecutionEngineDiscovery { + /** + * Initialize the engine with the Quarto API (optional) + * May be called multiple times but always with the same QuartoAPI object. + * Engines should store the reference to use throughout their lifecycle. + */ + init?: (quarto: QuartoAPI) => void; + name: string; defaultExt: string; defaultYaml: (kernel?: string) => string[]; @@ -32,43 +47,88 @@ export interface ExecutionEngine { validExtensions: () => string[]; claimsFile: (file: string, ext: string) => boolean; claimsLanguage: (language: string) => boolean; + canFreeze: boolean; + generatesFigures: boolean; + ignoreDirs?: () => string[] | undefined; + + /** + * Semver range specifying the minimum required Quarto version for this engine + * Examples: ">= 1.6.0", "^1.5.0", "1.*" + */ + quartoRequired?: string; + + /** + * Populate engine-specific CLI commands (optional) + */ + populateCommand?: (command: Command) => void; + + /** + * Check installation and capabilities for this engine (optional) + * Used by `quarto check ` command + * + * Engines implementing this method will automatically be available as targets + * for the check command (e.g., `quarto check jupyter`, `quarto check knitr`). + * + * @param conf - Check configuration with output settings and services + */ + checkInstallation?: (conf: CheckConfiguration) => Promise; + + /** + * Launch a dynamic execution engine with project context + */ + launch: (context: EngineProjectContext) => ExecutionEngineInstance; +} + +/** + * Interface for the dynamic execution phase of execution engines + * Used after a file has been assigned to an engine + */ +export interface ExecutionEngineInstance { + name: string; + canFreeze: boolean; + markdownForFile(file: string): Promise; + target: ( file: string, - quiet: boolean | undefined, - markdown: MappedString | undefined, - project: ProjectContext, + quiet?: boolean, + markdown?: MappedString, ) => Promise; + partitionedMarkdown: ( file: string, format?: Format, ) => Promise; + filterFormat?: ( source: string, options: RenderOptions, format: Format, ) => Format; + execute: (options: ExecuteOptions) => Promise; + executeTargetSkipped?: ( target: ExecutionTarget, format: Format, - project: ProjectContext, ) => void; + dependencies: (options: DependenciesOptions) => Promise; + postprocess: (options: PostProcessOptions) => Promise; - canFreeze: boolean; - generatesFigures: boolean; + canKeepSource?: (target: ExecutionTarget) => boolean; + intermediateFiles?: (input: string) => string[] | undefined; - ignoreDirs?: () => string[] | undefined; + run?: (options: RunOptions) => Promise; + postRender?: ( file: RenderResultFile, - project?: ProjectContext, ) => Promise; - populateCommand?: (command: Command) => void; } + // execution target (filename and context 'cookie') export interface ExecutionTarget { source: string; @@ -151,7 +211,7 @@ export interface DependenciesResult { // post processing options export interface PostProcessOptions { - engine: ExecutionEngine; + engine: ExecutionEngineInstance; target: ExecutionTarget; format: Format; output: string; diff --git a/src/extension/extension.ts b/src/extension/extension.ts index 4a390ad26e3..3437f5303fb 100644 --- a/src/extension/extension.ts +++ b/src/extension/extension.ts @@ -56,6 +56,7 @@ import { ExtensionOptions, RevealPluginInline, } from "./types.ts"; +import { ExternalEngine } from "../resources/types/schema-types.ts"; import { cloneDeep } from "../core/lodash.ts"; import { readAndValidateYamlFromFile } from "../core/schema/validated-yaml.ts"; @@ -276,6 +277,34 @@ export function filterExtensions( } } +// Read git subtree extensions (pattern 3 only) +// Looks for top-level directories containing _extensions/ subdirectories +const readSubtreeExtensions = async ( + subtreeDir: string, +): Promise => { + const extensions: Extension[] = []; + + const topLevelDirs = safeExistsSync(subtreeDir) && + Deno.statSync(subtreeDir).isDirectory + ? Deno.readDirSync(subtreeDir) + : []; + + for (const topLevelDir of topLevelDirs) { + if (!topLevelDir.isDirectory) continue; + + const dirPath = join(subtreeDir, topLevelDir.name); + const subtreeExtensionsPath = join(dirPath, kExtensionDir); + + if (safeExistsSync(subtreeExtensionsPath)) { + // This is a git subtree wrapper - read extensions preserving their natural organization + const exts = await readExtensions(subtreeExtensionsPath); + extensions.push(...exts); + } + } + + return extensions; +}; + // Loads all extensions for a given input // (note this needs to be sure to return copies from // the cache in the event that the objects are mutated) @@ -286,6 +315,7 @@ const loadExtensions = async ( ) => { const extensionPath = inputExtensionDirs(input, projectDir); const allExtensions: Record = {}; + const subtreePath = builtinSubtreeExtensions(); for (const extensionDir of extensionPath) { if (cache[extensionDir]) { @@ -293,7 +323,10 @@ const loadExtensions = async ( allExtensions[extensionIdString(ext.id)] = cloneDeep(ext); }); } else { - const extensions = await readExtensions(extensionDir); + // Check if this is the subtree extensions directory + const extensions = extensionDir === subtreePath + ? await readSubtreeExtensions(extensionDir) + : await readExtensions(extensionDir); extensions.forEach((extension) => { allExtensions[extensionIdString(extension.id)] = cloneDeep(extension); }); @@ -357,6 +390,8 @@ function findExtensions( contributes === kRevealJSPlugins && ext.contributes[kRevealJSPlugins] ) { return true; + } else if (contributes === "engines" && ext.contributes.engines) { + return true; } else { return contributes === undefined; } @@ -517,7 +552,10 @@ export function inputExtensionDirs(input?: string, projectDir?: string) { }; // read extensions (start with built-in) - const extensionDirectories: string[] = [builtinExtensions()]; + const extensionDirectories: string[] = [ + builtinExtensions(), + builtinSubtreeExtensions(), + ]; if (projectDir && input) { let currentDir = normalizePath(inputDirName(input)); do { @@ -622,6 +660,11 @@ function builtinExtensions() { return resourcePath("extensions"); } +// Path for built-in subtree extensions +function builtinSubtreeExtensions() { + return resourcePath("extension-subtrees"); +} + // Validate the extension function validateExtension(extension: Extension) { let contribCount = 0; @@ -632,6 +675,7 @@ function validateExtension(extension: Extension) { extension.contributes.project, extension.contributes[kRevealJSPlugins], extension.contributes.metadata, + extension.contributes.engines, ]; contribs.forEach((contrib) => { if (contrib) { @@ -837,6 +881,23 @@ async function readExtension( return resolveRevealPlugin(extensionDir, plugin); }); + // Process engine contributions + const engines = + ((contributes?.engines || []) as Array).map( + (engine) => { + if (typeof engine === "string") { + return engine; + } else if (typeof engine === "object" && engine.path) { + // Convert relative path to absolute path + return { + ...engine, + path: join(extensionDir, engine.path), + }; + } + return engine; + }, + ); + // Create the extension data structure const result = { title, @@ -852,6 +913,7 @@ async function readExtension( formats, project: project ?? {}, [kRevealJSPlugins]: revealJSPlugins, + engines: engines.length > 0 ? engines : undefined, }, }; validateExtension(result); diff --git a/src/extension/types.ts b/src/extension/types.ts index 4b8f0cb9e98..6de34af6dfd 100644 --- a/src/extension/types.ts +++ b/src/extension/types.ts @@ -9,6 +9,7 @@ import { type Range } from "semver/mod.ts"; import { kSelfContained } from "../config/constants.ts"; import { Metadata, QuartoFilter } from "../config/types.ts"; +import { ExternalEngine } from "../resources/types/schema-types.ts"; import { RevealPlugin, RevealPluginBundle, @@ -24,7 +25,8 @@ export type Contributes = | "formats" | "project" | "revealjs-plugins" - | "metadata"; + | "metadata" + | "engines"; export interface Extension extends Record { id: ExtensionId; @@ -40,6 +42,7 @@ export interface Extension extends Record { filters?: QuartoFilter[]; formats?: Record; [kRevealJSPlugins]?: Array; + engines?: Array; }; } @@ -78,7 +81,8 @@ export interface ExtensionContext { | "formats" | "project" | "revealjs-plugins" - | "metadata", + | "metadata" + | "engines", config?: ProjectConfig, projectDir?: string, options?: ExtensionOptions, diff --git a/src/project/engine-project-context.ts b/src/project/engine-project-context.ts new file mode 100644 index 00000000000..eac39404c94 --- /dev/null +++ b/src/project/engine-project-context.ts @@ -0,0 +1,76 @@ +/* + * engine-project-context.ts + * + * Copyright (C) 2023 Posit Software, PBC + */ + +import { MappedString } from "../core/mapped-text.ts"; +import { ExecutionEngineInstance } from "../execute/types.ts"; +import { projectOutputDir } from "./project-shared.ts"; +import { + EngineProjectContext, + FileInformation, + ProjectContext, +} from "./types.ts"; + +/** + * Creates an EngineProjectContext adapter from a ProjectContext + * This provides a restricted view of ProjectContext with additional utility methods + * + * @param context The source ProjectContext + * @returns An EngineProjectContext adapter + */ +export function engineProjectContext( + context: ProjectContext, +): EngineProjectContext { + const project: EngineProjectContext = { + // Core properties + dir: context.dir, + isSingleFile: context.isSingleFile, + config: context.config + ? { + engines: context.config.engines as string[] | undefined, + project: context.config.project + ? { + "output-dir": context.config.project["output-dir"], + } + : undefined, + } + : undefined, + fileInformationCache: context.fileInformationCache, + + // Path utilities + getOutputDirectory: () => { + return projectOutputDir(context); + }, + + // Core methods + resolveFullMarkdownForFile: ( + engine: ExecutionEngineInstance | undefined, + file: string, + markdown?: MappedString, + force?: boolean, + ) => context.resolveFullMarkdownForFile(engine, file, markdown, force), + }; + + return project; +} + +/** + * Type guard to check if an object implements the EngineProjectContext interface + * + * @param obj Object to check + * @returns Whether the object is an EngineProjectContext + */ +export function isEngineProjectContext( + obj: unknown, +): obj is EngineProjectContext { + if (!obj) return false; + + const ctx = obj as Partial; + return ( + typeof ctx.dir === "string" && + typeof ctx.isSingleFile === "boolean" && + typeof ctx.resolveFullMarkdownForFile === "function" + ); +} diff --git a/src/project/project-context.ts b/src/project/project-context.ts index 0049122c79d..59ef84b4449 100644 --- a/src/project/project-context.ts +++ b/src/project/project-context.ts @@ -64,7 +64,7 @@ import { fileExecutionEngineAndTarget, projectIgnoreGlobs, } from "../execute/engine.ts"; -import { ExecutionEngine, kMarkdownEngine } from "../execute/types.ts"; +import { ExecutionEngineInstance, kMarkdownEngine } from "../execute/types.ts"; import { projectResourceFiles } from "./project-resources.ts"; @@ -96,7 +96,6 @@ import { ConcreteSchema } from "../core/lib/yaml-schema/types.ts"; import { ExtensionContext } from "../extension/types.ts"; import { asArray } from "../core/array.ts"; import { renderFormats } from "../command/render/render-contexts.ts"; -import { debug } from "../deno_ral/log.ts"; import { computeProjectEnvironment } from "./project-environment.ts"; import { ProjectEnvironment } from "./project-environment-types.ts"; import { NotebookContext } from "../render/notebook/notebook-types.ts"; @@ -108,8 +107,9 @@ import { createTempContext } from "../core/temp.ts"; import { onCleanup } from "../core/cleanup.ts"; import { once } from "../core/once.ts"; import { Zod } from "../resources/types/zod/schema-types.ts"; +import { ExternalEngine } from "../resources/types/schema-types.ts"; -const mergeExtensionMetadata = async ( +export const mergeExtensionMetadata = async ( context: ProjectContext, pOptions: RenderOptions, ) => { @@ -119,9 +119,10 @@ const mergeExtensionMetadata = async ( const extensions = await pOptions.services.extension.extensions( undefined, context.config, - context.isSingleFile ? undefined : context.dir, + context.dir, { builtIn: false }, ); + // Handle project metadata extensions const projectMetadata = extensions.filter((extension) => extension.contributes.metadata?.project ).map((extension) => { @@ -213,6 +214,15 @@ export async function projectContext( projectConfig = mergeProjectMetadata(projectConfig, metadata); } + // Process engine extensions + if (extensionContext) { + projectConfig = await resolveEngineExtensions( + extensionContext, + projectConfig, + dir, + ); + } + // collect then merge configuration profiles const result = await initializeProfileConfig( dir, @@ -315,7 +325,7 @@ export async function projectContext( resolveBrand: async (fileName?: string) => projectResolveBrand(result, fileName), resolveFullMarkdownForFile: ( - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, @@ -381,8 +391,6 @@ export async function projectContext( return undefined; } - debug(`projectContext: Found Quarto project in ${dir}`); - if (type.formatExtras) { result.formatExtras = async ( source: string, @@ -400,7 +408,6 @@ export async function projectContext( }; return await returnResult(result); } else { - debug(`projectContext: Found Quarto project in ${dir}`); const temp = createTempContext({ dir: join(dir, ".quarto"), prefix: "quarto-session-temp", @@ -411,7 +418,7 @@ export async function projectContext( resolveBrand: async (fileName?: string) => projectResolveBrand(result, fileName), resolveFullMarkdownForFile: ( - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, @@ -486,7 +493,7 @@ export async function projectContext( resolveBrand: async (fileName?: string) => projectResolveBrand(context, fileName), resolveFullMarkdownForFile: ( - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, @@ -544,7 +551,6 @@ export async function projectContext( context.engines = [engine?.name ?? kMarkdownEngine]; context.files.input = [input]; } - debug(`projectContext: Found Quarto project in ${originalDir}`); return await returnResult(context); } else { return undefined; @@ -720,6 +726,64 @@ async function resolveProjectExtension( return projectConfig; } +export async function resolveEngineExtensions( + context: ExtensionContext, + projectConfig: ProjectConfig, + dir: string, +) { + // First, resolve any relative paths in existing project engines + if (projectConfig.engines) { + projectConfig.engines = + (projectConfig.engines as (string | ExternalEngine)[]).map( + (engine) => { + if ( + typeof engine === "object" && engine.path && + !isAbsolute(engine.path) + ) { + // Convert relative path to absolute path based on project directory + return { + ...engine, + path: join(dir, engine.path), + }; + } + return engine; + }, + ); + } + + // Find all extensions that contribute engines + const extensions = await context.extensions( + undefined, + projectConfig, + dir, + ); + + // Filter to only those with engines + const engineExtensions = extensions.filter((extension) => + extension.contributes.engines !== undefined && + extension.contributes.engines.length > 0 + ); + + if (engineExtensions.length > 0) { + // Initialize engines array if needed + if (!projectConfig.engines) { + projectConfig.engines = []; + } + + const existingEngines = projectConfig + .engines as (string | ExternalEngine)[]; + + // Extract and merge engines + const extensionEngines = engineExtensions + .map((extension) => extension.contributes.engines) + .flat(); + + projectConfig.engines = [...existingEngines, ...extensionEngines]; + } + + return projectConfig; +} + // migrate 'site' to 'website' // TODO make this a deprecation warning function migrateProjectConfig(projectConfig: ProjectConfig) { diff --git a/src/project/project-create.ts b/src/project/project-create.ts index e34867e7731..defec75d5e5 100644 --- a/src/project/project-create.ts +++ b/src/project/project-create.ts @@ -19,7 +19,7 @@ import { projectType } from "./types/project-types.ts"; import { renderEjs } from "../core/ejs.ts"; import { executionEngine } from "../execute/engine.ts"; -import { ExecutionEngine } from "../execute/types.ts"; +import { ExecutionEngineDiscovery } from "../execute/types.ts"; import { projectConfigFile } from "./project-shared.ts"; import { ensureGitignore } from "./project-gitignore.ts"; @@ -191,7 +191,7 @@ function projectMarkdownFile( dir: string, name: string, content: string, - engine: ExecutionEngine, + engine: ExecutionEngineDiscovery, kernel?: string, title?: string, noEngineContent?: boolean, diff --git a/src/project/project-index.ts b/src/project/project-index.ts index 641c26e3638..195d3282f64 100644 --- a/src/project/project-index.ts +++ b/src/project/project-index.ts @@ -7,6 +7,7 @@ import { dirname, isAbsolute, join, relative } from "../deno_ral/path.ts"; import * as ld from "../core/lodash.ts"; +import { inputTargetIndexCacheMetrics } from "./target-index-cache-metrics.ts"; import { InputTarget, @@ -213,11 +214,6 @@ export function inputTargetIsEmpty(index: InputTargetIndex) { } const inputTargetIndexCache = new Map(); -export const inputTargetIndexCacheMetrics = { - hits: 0, - misses: 0, - invalidations: 0, -}; function readInputTargetIndexIfStillCurrent(projectDir: string, input: string) { const inputFile = join(projectDir, input); diff --git a/src/project/project-shared.ts b/src/project/project-shared.ts index c137b5fc970..736e9745f44 100644 --- a/src/project/project-shared.ts +++ b/src/project/project-shared.ts @@ -37,7 +37,7 @@ import { MappedString, mappedStringFromFile } from "../core/mapped-text.ts"; import { createTempContext } from "../core/temp.ts"; import { RenderContext, RenderFlags } from "../command/render/types.ts"; import { LanguageCellHandlerOptions } from "../core/handlers/types.ts"; -import { ExecutionEngine } from "../execute/types.ts"; +import { ExecutionEngineInstance } from "../execute/types.ts"; import { InspectedMdCell } from "../inspect/inspect-types.ts"; import { breakQuartoMd, QuartoMdCell } from "../core/lib/break-quarto-md.ts"; import { partitionCellOptionsText } from "../core/lib/partition-cell-options.ts"; @@ -356,7 +356,7 @@ export async function directoryMetadataForInputFile( const mdForFile = async ( _project: ProjectContext, - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, ): Promise => { if (engine) { @@ -369,7 +369,7 @@ const mdForFile = async ( export async function projectResolveCodeCellsForFile( project: ProjectContext, - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, @@ -461,7 +461,7 @@ export async function projectFileMetadata( export async function projectResolveFullMarkdownForFile( project: ProjectContext, - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, diff --git a/src/project/target-index-cache-metrics.ts b/src/project/target-index-cache-metrics.ts new file mode 100644 index 00000000000..d5db1a67ebd --- /dev/null +++ b/src/project/target-index-cache-metrics.ts @@ -0,0 +1,15 @@ +/* + * target-index-cache-metrics.ts + * + * Copyright (C) 2020-2023 Posit Software, PBC + */ + +/** + * Performance metrics for the input target index cache + * Tracks cache efficiency for optional performance profiling + */ +export const inputTargetIndexCacheMetrics = { + hits: 0, + misses: 0, + invalidations: 0, +}; diff --git a/src/project/types.ts b/src/project/types.ts index ecf5c60ae83..bce78502f12 100644 --- a/src/project/types.ts +++ b/src/project/types.ts @@ -14,7 +14,11 @@ import { } from "../core/brand/brand.ts"; import { MappedString } from "../core/mapped-text.ts"; import { PartitionedMarkdown } from "../core/pandoc/types.ts"; -import { ExecutionEngine, ExecutionTarget } from "../execute/types.ts"; +import { + ExecutionEngineDiscovery, + ExecutionEngineInstance, + ExecutionTarget, +} from "../execute/types.ts"; import { InspectedMdCell } from "../inspect/inspect-types.ts"; import { NotebookContext } from "../render/notebook/notebook-types.ts"; import { @@ -58,7 +62,7 @@ export type FileInformation = { fullMarkdown?: MappedString; includeMap?: FileInclusion[]; codeCells?: InspectedMdCell[]; - engine?: ExecutionEngine; + engine?: ExecutionEngineInstance; target?: ExecutionTarget; metadata?: Metadata; brand?: LightDarkBrandDarkFlag; @@ -87,7 +91,7 @@ export interface ProjectContext extends Cloneable { // output file is always markdown, though, and it is cached in the project resolveFullMarkdownForFile: ( - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, @@ -96,7 +100,7 @@ export interface ProjectContext extends Cloneable { fileExecutionEngineAndTarget: ( file: string, force?: boolean, - ) => Promise<{ engine: ExecutionEngine; target: ExecutionTarget }>; + ) => Promise<{ engine: ExecutionEngineInstance; target: ExecutionTarget }>; fileMetadata: ( file: string, @@ -145,6 +149,64 @@ export const kProject404File = "404.html"; export type LayoutBreak = "" | "sm" | "md" | "lg" | "xl" | "xxl"; +/** + * A restricted version of ProjectContext that only exposes + * functionality needed by execution engines. + */ +export interface EngineProjectContext { + /** + * Base directory of the project + */ + dir: string; + + /** + * Flag indicating if project consists of a single file + */ + isSingleFile: boolean; + + /** + * Config object containing project configuration + * Used primarily for config?.engines access + * Can contain arbitrary configuration properties + */ + config?: { + engines?: string[]; + project?: { + [kProjectOutputDir]?: string; + }; + [key: string]: unknown; + }; + + /** + * For file information cache management + * Used for the transient notebook tracking in Jupyter + */ + fileInformationCache: Map; + + /** + * Get the output directory for the project + * + * @returns Path to output directory + */ + getOutputDirectory: () => string; + + /** + * Resolves full markdown content for a file, including expanding includes + * + * @param engine - The execution engine + * @param file - Path to the file + * @param markdown - Optional existing markdown content + * @param force - Whether to force re-resolution even if cached + * @returns Promise resolving to mapped markdown string + */ + resolveFullMarkdownForFile: ( + engine: ExecutionEngineInstance | undefined, + file: string, + markdown?: MappedString, + force?: boolean, + ) => Promise; +} + export const kAriaLabel = "aria-label"; export const kCollapseLevel = "collapse-level"; export const kCollapseBelow = "collapse-below"; diff --git a/src/project/types/single-file/single-file.ts b/src/project/types/single-file/single-file.ts index 9f4f415f431..aec26a0569a 100644 --- a/src/project/types/single-file/single-file.ts +++ b/src/project/types/single-file/single-file.ts @@ -11,12 +11,13 @@ // single-file path look closer to a project. import { dirname } from "../../../deno_ral/path.ts"; +import { warning } from "../../../deno_ral/log.ts"; import { normalizePath } from "../../../core/path.ts"; import { NotebookContext } from "../../../render/notebook/notebook-types.ts"; import { makeProjectEnvironmentMemoizer } from "../../project-environment.ts"; import { ProjectContext } from "../../types.ts"; import { renderFormats } from "../../../command/render/render-contexts.ts"; -import { RenderFlags } from "../../../command/render/types.ts"; +import { RenderFlags, RenderOptions } from "../../../command/render/types.ts"; import { MappedString } from "../../../core/mapped-text.ts"; import { fileExecutionEngineAndTarget } from "../../../execute/engine.ts"; import { @@ -26,15 +27,19 @@ import { projectResolveBrand, projectResolveFullMarkdownForFile, } from "../../project-shared.ts"; -import { ExecutionEngine } from "../../../execute/types.ts"; +import { ExecutionEngineInstance } from "../../../execute/types.ts"; import { createProjectCache } from "../../../core/cache/cache.ts"; import { globalTempContext } from "../../../core/temp.ts"; import { once } from "../../../core/once.ts"; +import { + mergeExtensionMetadata, + resolveEngineExtensions, +} from "../../project-context.ts"; export async function singleFileProjectContext( source: string, notebookContext: NotebookContext, - flags?: RenderFlags, + renderOptions?: RenderOptions, ): Promise { const environmentMemoizer = makeProjectEnvironmentMemoizer(notebookContext); const temp = globalTempContext(); @@ -57,12 +62,12 @@ export async function singleFileProjectContext( ) => { return fileExecutionEngineAndTarget( file, - flags, + renderOptions?.flags, result, ); }, resolveFullMarkdownForFile: ( - engine: ExecutionEngine | undefined, + engine: ExecutionEngineInstance | undefined, file: string, markdown?: MappedString, force?: boolean, @@ -86,6 +91,37 @@ export async function singleFileProjectContext( result.diskCache.close(); }), }; + if (renderOptions) { + result.config = { + project: {}, + }; + // First resolve engine extensions + result.config = await resolveEngineExtensions( + renderOptions.services.extension, + result.config, + result.dir, + ); + // Then merge extension metadata + await mergeExtensionMetadata(result, renderOptions); + + // Check if extensions contributed output-dir metadata + // If so, set forceClean as if --output-dir specified on command line, + // to ensure proper cleanup + const outputDir = result.config?.project?.["output-dir"]; + if (outputDir) { + const willForceClean = renderOptions.flags?.clean !== false; + warning( + `An extension contributed 'output-dir: ${outputDir}' metadata for single-file render.\n` + + `Output will go to that directory. The temporary .quarto directory will ${ + willForceClean + ? "be cleaned up" + : "NOT be cleaned up (--no-clean specified)" + } after rendering.\n` + + "To suppress this warning, use --output-dir flag instead of extension metadata.", + ); + renderOptions.forceClean = willForceClean; + } + } // because the single-file project is cleaned up with // the global text context, we don't need to register it // in the same way that we need to register the multi-file diff --git a/src/resources/create/extensions/engine/.gitignore b/src/resources/create/extensions/engine/.gitignore new file mode 100644 index 00000000000..075b2542afb --- /dev/null +++ b/src/resources/create/extensions/engine/.gitignore @@ -0,0 +1 @@ +/.quarto/ diff --git a/src/resources/create/extensions/engine/README.ejs.md b/src/resources/create/extensions/engine/README.ejs.md new file mode 100644 index 00000000000..10c1efc05a9 --- /dev/null +++ b/src/resources/create/extensions/engine/README.ejs.md @@ -0,0 +1,49 @@ +# <%= title %> Extension For Quarto + +_TODO_: Add a short description of your extension. + +## Installing + +_TODO_: Replace the `` with your GitHub organization. + +```bash +quarto add /<%= filesafename %> +``` + +This will install the extension under the `_extensions` subdirectory. +If you're using version control, you will want to check in this directory. + +## Developing + +This extension is written in TypeScript. The source code is in the `src/` directory. + +### Building + +To build the extension, you need to set up the build configuration and then run the build command: + +```bash +# Build the TypeScript source to JavaScript +quarto dev-call build-ts-extension +``` + +This will: + +- Type-check your TypeScript code against Quarto's API types +- Bundle the extension into `_extensions/<%= filesafename %>/<%= filesafename %>.js` + +The built JavaScript file should be committed to version control along with the source. + +Optionally, you can create a deno.json to further customize the build: + +```bash +# First time setup - creates deno.json with import map configuration +quarto dev-call build-ts-extension --init-config +``` + +## Using + +_TODO_: Describe how to use your extension. + +## Example + +Here is the source code for a minimal example: [example.qmd](example.qmd). diff --git a/src/resources/create/extensions/engine/_extensions/qstart-filesafename-qend/_extension.ejs.yml b/src/resources/create/extensions/engine/_extensions/qstart-filesafename-qend/_extension.ejs.yml new file mode 100644 index 00000000000..83a13849ffe --- /dev/null +++ b/src/resources/create/extensions/engine/_extensions/qstart-filesafename-qend/_extension.ejs.yml @@ -0,0 +1,7 @@ +title: <%= title %> +author: <%= author %> +version: <%= version %> +quarto-required: ">=<%= quartoversion %>" +contributes: + engines: + - path: <%= filesafename %>.js diff --git a/src/resources/create/extensions/engine/example.ejs.qmd b/src/resources/create/extensions/engine/example.ejs.qmd new file mode 100644 index 00000000000..102b0ed4336 --- /dev/null +++ b/src/resources/create/extensions/engine/example.ejs.qmd @@ -0,0 +1,30 @@ +--- +title: "<%= title %> Example" +engine: <%= filesafename %> +--- + +## Example Content + +This demonstrates the `<%= filesafename %>` engine processing cells with the `<%= cellLanguage %>` language. + +```{<%= cellLanguage %>} +# This cell will be processed by the <%= filesafename %> engine +print("Hello from <%= filesafename %> engine!") +``` + +## Other Engines + +Currently there can only be one execution engine. +So this python code won't execute: + +```{python} +print("Hello from Python!") +``` + +## More Example Cells + +```{<%= cellLanguage %>} +# Another example cell +x = 42 +print(f"The answer is {x}") +``` diff --git a/src/resources/create/extensions/engine/src/qstart-filesafename-qend.ejs.ts b/src/resources/create/extensions/engine/src/qstart-filesafename-qend.ejs.ts new file mode 100644 index 00000000000..516124c357d --- /dev/null +++ b/src/resources/create/extensions/engine/src/qstart-filesafename-qend.ejs.ts @@ -0,0 +1,141 @@ +/* + * <%= filesafename %>.ts + * + * Example Quarto engine extension + * + * This is a minimal example based on the markdown engine. + * It demonstrates the basic structure of an execution engine. + */ + +// Type imports from Quarto via import map +import type { + DependenciesOptions, + EngineProjectContext, + ExecuteOptions, + ExecuteResult, + ExecutionEngineDiscovery, + ExecutionEngineInstance, + ExecutionTarget, + MappedString, + PostProcessOptions, + QuartoAPI, +} from "@quarto/types"; + +// Module-level quarto API reference +let quarto: QuartoAPI; + +// Engine name constant +const kEngineName = "<%= filesafename %>"; +const kCellLanguage = "<%= cellLanguage %>"; + +/** + * Example engine implementation with discovery and launch capabilities + */ +const exampleEngineDiscovery: ExecutionEngineDiscovery = { + init: (quartoAPI: QuartoAPI) => { + quarto = quartoAPI; + }, + + name: kEngineName, + defaultExt: ".qmd", + defaultYaml: () => [], + defaultContent: () => [ + "```{" + kCellLanguage + "}", + "# Example code cell", + "print('Hello from <%= filesafename %>!')", + "```", + ], + validExtensions: () => [], + + claimsFile: (_file: string, _ext: string) => { + // Return true if this engine should handle the file based on extension + return false; + }, + + claimsLanguage: (language: string) => { + // This engine claims cells with its own language name + return language.toLowerCase() === kCellLanguage.toLowerCase(); + }, + + canFreeze: false, + generatesFigures: false, + + /** + * Launch a dynamic execution engine with project context + */ + launch: (context: EngineProjectContext): ExecutionEngineInstance => { + return { + name: exampleEngineDiscovery.name, + canFreeze: exampleEngineDiscovery.canFreeze, + + markdownForFile(file: string): Promise { + return Promise.resolve(quarto.mappedString.fromFile(file)); + }, + + target: (file: string, _quiet?: boolean, markdown?: MappedString) => { + const md = markdown ?? quarto.mappedString.fromFile(file); + const target: ExecutionTarget = { + source: file, + input: file, + markdown: md, + metadata: quarto.markdownRegex.extractYaml(md.value), + }; + return Promise.resolve(target); + }, + + partitionedMarkdown: (file: string) => { + return Promise.resolve( + quarto.markdownRegex.partition(Deno.readTextFileSync(file)), + ); + }, + + execute: async (options: ExecuteOptions): Promise => { + // Break markdown into cells to process code blocks individually + const chunks = await quarto.markdownRegex.breakQuartoMd( + options.target.markdown, + ); + + // Process each cell + const processedCells: string[] = []; + for (const cell of chunks.cells) { + if ( + typeof cell.cell_type === "object" && + cell.cell_type.language === kCellLanguage + ) { + // CHANGE THIS: Add your custom processing here + // This example adds the cell language name three times at the start of the cell + const processed = + [kCellLanguage, kCellLanguage, kCellLanguage].join(" ") + + "\n" + + cell.source.value; + processedCells.push( + cell.sourceVerbatim.value.replace(cell.source.value, processed), + ); + } else { + // Not our language - pass through unchanged + processedCells.push(cell.sourceVerbatim.value); + } + } + + const processedMarkdown = processedCells.join(""); + + return { + engine: kEngineName, + markdown: processedMarkdown, + supporting: [], + filters: [], + }; + }, + + dependencies: (_options: DependenciesOptions) => { + return Promise.resolve({ + includes: {}, + }); + }, + + postprocess: (_options: PostProcessOptions) => Promise.resolve(), + }; + }, +}; + +export default exampleEngineDiscovery; diff --git a/src/resources/editor/tools/vs-code.mjs b/src/resources/editor/tools/vs-code.mjs index 71f38043173..3c36d50e791 100644 --- a/src/resources/editor/tools/vs-code.mjs +++ b/src/resources/editor/tools/vs-code.mjs @@ -8724,6 +8724,25 @@ var require_yaml_intelligence_resources = __commonJS({ ] } }, + { + id: "external-engine", + schema: { + object: { + closed: true, + properties: { + path: { + path: { + description: "Path to the TypeScript module for the execution engine" + } + } + }, + required: [ + "path" + ] + }, + description: "An execution engine not pre-loaded in Quarto" + } + }, { id: "document-comments-configuration", anyOf: [ @@ -20200,6 +20219,16 @@ var require_yaml_intelligence_resources = __commonJS({ }, formats: { schema: "object" + }, + engines: { + arrayOf: { + anyOf: [ + "string", + { + ref: "external-engine" + } + ] + } } } } @@ -20638,7 +20667,14 @@ var require_yaml_intelligence_resources = __commonJS({ { name: "engines", schema: { - arrayOf: "string" + arrayOf: { + anyOf: [ + "string", + { + ref: "external-engine" + } + ] + } }, description: "List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'." } @@ -22560,6 +22596,10 @@ var require_yaml_intelligence_resources = __commonJS({ "Specify a default profile and profile groups", "Default profile to apply if QUARTO_PROFILE is not defined.", "Define a profile group for which at least one profile is always\nactive.", + "Control when tests should run", + "Run tests on CI (true = run, false = skip)", + "Run tests ONLY on these platforms (whitelist)", + "Don\u2019t run tests on these platforms (blacklist)", "The path to the locally referenced notebook.", "The title of the notebook when viewed.", "The url to use when viewing this notebook.", @@ -24808,7 +24848,9 @@ var require_yaml_intelligence_resources = __commonJS({ "Disambiguating year suffix in author-date styles (e.g. \u201Ca\u201D in \u201CDoe,\n1999a\u201D).", "Manuscript configuration", "internal-schema-hack", - "List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto\u2019s default order\nis \u2018knitr\u2019, \u2018jupyter\u2019, \u2018markdown\u2019, \u2018julia\u2019." + "List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto\u2019s default order\nis \u2018knitr\u2019, \u2018jupyter\u2019, \u2018markdown\u2019, \u2018julia\u2019.", + "An execution engine not pre-loaded in Quarto", + "Path to the TypeScript module for the execution engine" ], "schema/external-schemas.yml": [ { @@ -25037,12 +25079,12 @@ var require_yaml_intelligence_resources = __commonJS({ mermaid: "%%" }, "handlers/mermaid/schema.yml": { - _internalId: 197523, + _internalId: 197564, type: "object", description: "be an object", properties: { "mermaid-format": { - _internalId: 197515, + _internalId: 197556, type: "enum", enum: [ "png", @@ -25058,7 +25100,7 @@ var require_yaml_intelligence_resources = __commonJS({ exhaustiveCompletions: true }, theme: { - _internalId: 197522, + _internalId: 197563, type: "anyOf", anyOf: [ { diff --git a/src/resources/editor/tools/yaml/all-schema-definitions.json b/src/resources/editor/tools/yaml/all-schema-definitions.json index e8280e20908..a18ca7d7c8f 100644 --- a/src/resources/editor/tools/yaml/all-schema-definitions.json +++ b/src/resources/editor/tools/yaml/all-schema-definitions.json @@ -1 +1 @@ -{"date":{"_internalId":19,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":18,"type":"object","description":"be an object","properties":{"value":{"type":"string","description":"be a string"},"format":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["value"]}],"description":"be at least one of: a string, an object","$id":"date"},"date-format":{"type":"string","description":"be a string","$id":"date-format"},"math-methods":{"_internalId":26,"type":"enum","enum":["plain","webtex","gladtex","mathml","mathjax","katex"],"description":"be one of: `plain`, `webtex`, `gladtex`, `mathml`, `mathjax`, `katex`","completions":["plain","webtex","gladtex","mathml","mathjax","katex"],"exhaustiveCompletions":true,"$id":"math-methods"},"pandoc-format-request-headers":{"_internalId":34,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":33,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},"$id":"pandoc-format-request-headers"},"pandoc-format-output-file":{"_internalId":42,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":41,"type":"enum","enum":[null],"description":"be 'null'","completions":[],"exhaustiveCompletions":true,"tags":{"hidden":true}}],"description":"be at least one of: a string, 'null'","$id":"pandoc-format-output-file"},"pandoc-format-filters":{"_internalId":73,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":72,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":55,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string"},"path":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["path"]},{"_internalId":65,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string"},"path":{"type":"string","description":"be a string"},"at":{"_internalId":64,"type":"enum","enum":["pre-ast","post-ast","pre-quarto","post-quarto","pre-render","post-render"],"description":"be one of: `pre-ast`, `post-ast`, `pre-quarto`, `post-quarto`, `pre-render`, `post-render`","completions":["pre-ast","post-ast","pre-quarto","post-quarto","pre-render","post-render"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["path","at"]},{"_internalId":71,"type":"object","description":"be an object","properties":{"type":{"_internalId":70,"type":"enum","enum":["citeproc"],"description":"be 'citeproc'","completions":["citeproc"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["type"],"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},"$id":"pandoc-format-filters"},"pandoc-shortcodes":{"_internalId":78,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"$id":"pandoc-shortcodes"},"page-column":{"_internalId":81,"type":"enum","enum":["body","body-outset","body-outset-left","body-outset-right","page","page-left","page-right","page-inset","page-inset-left","page-inset-right","screen","screen-left","screen-right","screen-inset","screen-inset-shaded","screen-inset-left","screen-inset-right","margin"],"description":"be one of: `body`, `body-outset`, `body-outset-left`, `body-outset-right`, `page`, `page-left`, `page-right`, `page-inset`, `page-inset-left`, `page-inset-right`, `screen`, `screen-left`, `screen-right`, `screen-inset`, `screen-inset-shaded`, `screen-inset-left`, `screen-inset-right`, `margin`","completions":["body","body-outset","body-outset-left","body-outset-right","page","page-left","page-right","page-inset","page-inset-left","page-inset-right","screen","screen-left","screen-right","screen-inset","screen-inset-shaded","screen-inset-left","screen-inset-right","margin"],"exhaustiveCompletions":true,"$id":"page-column"},"contents-auto":{"_internalId":95,"type":"object","description":"be an object","properties":{"auto":{"_internalId":94,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":93,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":92,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: a string, an array of values, where each element must be a string","tags":{"description":{"short":"Automatically generate sidebar contents.","long":"Automatically generate sidebar contents. Pass `true` to include all documents\nin the site, a directory name to include only documents in that directory, \nor a glob (or list of globs) to include documents based on a pattern. \n\nSubdirectories will create sections (use an `index.qmd` in the directory to\nprovide its title). Order will be alphabetical unless a numeric `order` field\nis provided in document metadata.\n"}},"documentation":"Automatically generate sidebar contents."}},"patternProperties":{},"$id":"contents-auto"},"navigation-item":{"_internalId":103,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":102,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"}],"description":"be at least one of: a string, navigation-item-object","$id":"navigation-item"},"navigation-item-object":{"_internalId":132,"type":"object","description":"be an object","properties":{"aria-label":{"type":"string","description":"be a string","tags":{"description":"Accessible label for the item."},"documentation":"Accessible label for the item."},"file":{"type":"string","description":"be a string","tags":{"description":"Alias for href\n","hidden":true},"documentation":"Alias for href","completions":[]},"href":{"type":"string","description":"be a string","tags":{"description":"Link to file contained with the project or external URL\n"},"documentation":"Link to file contained with the project or external URL"},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"Name of bootstrap icon (e.g. `github`, `bluesky`, `share`)","long":"Name of bootstrap icon (e.g. `github`, `bluesky`, `share`)\nSee for a list of available icons\n"}},"documentation":"Name of bootstrap icon (e.g. github,\ntwitter, share)"},"id":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"menu":{"_internalId":123,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":122,"type":"ref","$ref":"navigation-item","description":"be navigation-item"}},"text":{"type":"string","description":"be a string","tags":{"description":"Text to display for item (defaults to the\ndocument title if not provided)\n"},"documentation":"Text to display for item (defaults to the document title if not\nprovided)"},"url":{"type":"string","description":"be a string","tags":{"description":"Alias for href\n","hidden":true},"documentation":"Alias for href","completions":[]},"rel":{"type":"string","description":"be a string","tags":{"description":"Value for rel attribute. Multiple space-separated values are permitted.\nSee \nfor a details.\n"},"documentation":"Value for rel attribute. Multiple space-separated values are\npermitted. See https://developer.mozilla.org/en-US/docs/Web/HTML/Attributes/rel\nfor a details."},"target":{"type":"string","description":"be a string","tags":{"description":"Value for target attribute.\nSee \nfor details.\n"},"documentation":"Value for target attribute. See https://developer.mozilla.org/en-US/docs/Web/HTML/Element/a#attr-target\nfor details."}},"patternProperties":{},"closed":true,"$id":"navigation-item-object"},"giscus-themes":{"_internalId":135,"type":"enum","enum":["light","light_high_contrast","light_protanopia","light_tritanopia","dark","dark_high_contrast","dark_protanopia","dark_tritanopia","dark_dimmed","transparent_dark","cobalt","purple_dark","noborder_light","noborder_dark","noborder_gray","preferred_color_scheme"],"description":"be one of: `light`, `light_high_contrast`, `light_protanopia`, `light_tritanopia`, `dark`, `dark_high_contrast`, `dark_protanopia`, `dark_tritanopia`, `dark_dimmed`, `transparent_dark`, `cobalt`, `purple_dark`, `noborder_light`, `noborder_dark`, `noborder_gray`, `preferred_color_scheme`","completions":["light","light_high_contrast","light_protanopia","light_tritanopia","dark","dark_high_contrast","dark_protanopia","dark_tritanopia","dark_dimmed","transparent_dark","cobalt","purple_dark","noborder_light","noborder_dark","noborder_gray","preferred_color_scheme"],"exhaustiveCompletions":true,"$id":"giscus-themes"},"giscus-configuration":{"_internalId":192,"type":"object","description":"be an object","properties":{"repo":{"type":"string","description":"be a string","tags":{"description":{"short":"The Github repo that will be used to store comments.","long":"The Github repo that will be used to store comments.\n\nIn order to work correctly, the repo must be public, with the giscus app installed, and \nthe discussions feature must be enabled.\n"}},"documentation":"The Github repo that will be used to store comments."},"repo-id":{"type":"string","description":"be a string","tags":{"description":{"short":"The Github repository identifier.","long":"The Github repository identifier.\n\nYou can quickly find this by using the configuration tool at [https://giscus.app](https://giscus.app).\nIf this is not provided, Quarto will attempt to discover it at render time.\n"}},"documentation":"The Github repository identifier."},"category":{"type":"string","description":"be a string","tags":{"description":{"short":"The discussion category where new discussions will be created.","long":"The discussion category where new discussions will be created. It is recommended \nto use a category with the **Announcements** type so that new discussions \ncan only be created by maintainers and giscus.\n"}},"documentation":"The discussion category where new discussions will be created."},"category-id":{"type":"string","description":"be a string","tags":{"description":{"short":"The Github category identifier.","long":"The Github category identifier.\n\nYou can quickly find this by using the configuration tool at [https://giscus.app](https://giscus.app).\nIf this is not provided, Quarto will attempt to discover it at render time.\n"}},"documentation":"The Github category identifier."},"mapping":{"_internalId":154,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","completions":["pathname","url","title","og:title"],"tags":{"description":{"short":"The mapping between the page and the embedded discussion.","long":"The mapping between the page and the embedded discussion. \n\n- `pathname`: The discussion title contains the page path\n- `url`: The discussion title contains the page url\n- `title`: The discussion title contains the page title\n- `og:title`: The discussion title contains the `og:title` metadata value\n- any other string or number: Any other strings will be passed through verbatim and a discussion title\ncontaining that value will be used. Numbers will be treated\nas a discussion number and automatic discussion creation is not supported.\n"}},"documentation":"The mapping between the page and the embedded discussion."},"reactions-enabled":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Display reactions for the discussion's main post before the comments."},"documentation":"Display reactions for the discussion’s main post before the\ncomments."},"loading":{"_internalId":159,"type":"enum","enum":["lazy"],"description":"be 'lazy'","completions":["lazy"],"exhaustiveCompletions":true,"tags":{"description":"Specify `loading: lazy` to defer loading comments until the user scrolls near the comments container."},"documentation":"Specify loading: lazy to defer loading comments until\nthe user scrolls near the comments container."},"input-position":{"_internalId":162,"type":"enum","enum":["top","bottom"],"description":"be one of: `top`, `bottom`","completions":["top","bottom"],"exhaustiveCompletions":true,"tags":{"description":"Place the comment input box above or below the comments."},"documentation":"Place the comment input box above or below the comments."},"theme":{"_internalId":189,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":169,"type":"ref","$ref":"giscus-themes","description":"be giscus-themes"},{"_internalId":188,"type":"object","description":"be an object","properties":{"light":{"_internalId":179,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":178,"type":"ref","$ref":"giscus-themes","description":"be giscus-themes"}],"description":"be at least one of: a string, giscus-themes","tags":{"description":"The light theme name."},"documentation":"The light theme name."},"dark":{"_internalId":187,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":186,"type":"ref","$ref":"giscus-themes","description":"be giscus-themes"}],"description":"be at least one of: a string, giscus-themes","tags":{"description":"The dark theme name."},"documentation":"The dark theme name."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, giscus-themes, an object","tags":{"description":{"short":"The giscus theme to use when displaying comments.","long":"The giscus theme to use when displaying comments. Light and dark themes are supported. If a single theme is provided by name, it will be used as light and dark theme. To use different themes, use `light` and `dark` key: \n\n```yaml\nwebsite:\n comments:\n giscus:\n theme:\n light: light # giscus theme used for light website theme\n dark: dark_dimmed # giscus theme used for dark website theme\n```\n"}},"documentation":"The giscus theme to use when displaying comments."},"language":{"type":"string","description":"be a string","tags":{"description":"The language that should be used when displaying the commenting interface."},"documentation":"The language that should be used when displaying the commenting\ninterface."}},"patternProperties":{},"required":["repo"],"closed":true,"$id":"giscus-configuration"},"document-comments-configuration":{"_internalId":311,"type":"anyOf","anyOf":[{"_internalId":197,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":310,"type":"object","description":"be an object","properties":{"utterances":{"_internalId":210,"type":"object","description":"be an object","properties":{"repo":{"type":"string","description":"be a string","tags":{"description":"The Github repo that will be used to store comments."},"documentation":"The Github repo that will be used to store comments."},"label":{"type":"string","description":"be a string","tags":{"description":"The label that will be assigned to issues created by Utterances."},"documentation":"The label that will be assigned to issues created by Utterances."},"theme":{"type":"string","description":"be a string","completions":["github-light","github-dark","github-dark-orange","icy-dark","dark-blue","photon-dark","body-light","gruvbox-dark"],"tags":{"description":{"short":"The Github theme that should be used for Utterances.","long":"The Github theme that should be used for Utterances\n(`github-light`, `github-dark`, `github-dark-orange`,\n`icy-dark`, `dark-blue`, `photon-dark`, `body-light`,\nor `gruvbox-dark`)\n"}},"documentation":"The Github theme that should be used for Utterances."},"issue-term":{"type":"string","description":"be a string","completions":["pathname","url","title","og:title"],"tags":{"description":{"short":"How posts should be mapped to Github issues","long":"How posts should be mapped to Github issues\n(`pathname`, `url`, `title` or `og:title`)\n"}},"documentation":"How posts should be mapped to Github issues"}},"patternProperties":{},"required":["repo"],"closed":true},"giscus":{"_internalId":213,"type":"ref","$ref":"giscus-configuration","description":"be giscus-configuration"},"hypothesis":{"_internalId":309,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":308,"type":"object","description":"be an object","properties":{"client-url":{"type":"string","description":"be a string","tags":{"description":"Override the default hypothesis client url with a custom client url."},"documentation":"Override the default hypothesis client url with a custom client\nurl."},"openSidebar":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Controls whether the sidebar opens automatically on startup."},"documentation":"Controls whether the sidebar opens automatically on startup."},"showHighlights":{"_internalId":231,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":230,"type":"enum","enum":["always","whenSidebarOpen","never"],"description":"be one of: `always`, `whenSidebarOpen`, `never`","completions":["always","whenSidebarOpen","never"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `always`, `whenSidebarOpen`, `never`","tags":{"description":"Controls whether the in-document highlights are shown by default (`always`, `whenSidebarOpen` or `never`)"},"documentation":"Controls whether the in-document highlights are shown by default\n(always, whenSidebarOpen or\nnever)"},"theme":{"_internalId":234,"type":"enum","enum":["classic","clean"],"description":"be one of: `classic`, `clean`","completions":["classic","clean"],"exhaustiveCompletions":true,"tags":{"description":"Controls the overall look of the sidebar (`classic` or `clean`)"},"documentation":"Controls the overall look of the sidebar (classic or\nclean)"},"enableExperimentalNewNoteButton":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Controls whether the experimental New Note button \nshould be shown in the notes tab in the sidebar.\n"},"documentation":"Controls whether the experimental New Note button should be shown in\nthe notes tab in the sidebar."},"usernameUrl":{"type":"string","description":"be a string","tags":{"description":"Specify a URL to direct a user to, \nin a new tab. when they click on the annotation author \nlink in the header of an annotation.\n"},"documentation":"Specify a URL to direct a user to, in a new tab. when they click on\nthe annotation author link in the header of an annotation."},"services":{"_internalId":269,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":268,"type":"object","description":"be an object","properties":{"apiUrl":{"type":"string","description":"be a string","tags":{"description":"The base URL of the service API."},"documentation":"The base URL of the service API."},"authority":{"type":"string","description":"be a string","tags":{"description":"The domain name which the annotation service is associated with."},"documentation":"The domain name which the annotation service is associated with."},"grantToken":{"type":"string","description":"be a string","tags":{"description":"An OAuth 2 grant token which the client can send to the service in order to get an access token for making authenticated requests to the service."},"documentation":"An OAuth 2 grant token which the client can send to the service in\norder to get an access token for making authenticated requests to the\nservice."},"allowLeavingGroups":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"A flag indicating whether users should be able to leave groups of which they are a member."},"documentation":"A flag indicating whether users should be able to leave groups of\nwhich they are a member."},"enableShareLinks":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"A flag indicating whether annotation cards should show links that take the user to see an annotation in context."},"documentation":"A flag indicating whether annotation cards should show links that\ntake the user to see an annotation in context."},"groups":{"_internalId":265,"type":"anyOf","anyOf":[{"_internalId":259,"type":"enum","enum":["$rpc:requestGroups"],"description":"be '$rpc:requestGroups'","completions":["$rpc:requestGroups"],"exhaustiveCompletions":true},{"_internalId":264,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: '$rpc:requestGroups', an array of values, where each element must be a string","tags":{"description":"An array of Group IDs or the literal string `$rpc:requestGroups`"},"documentation":"An array of Group IDs or the literal string\n$rpc:requestGroups"},"icon":{"type":"string","description":"be a string","tags":{"description":"The URL to an image for the annotation service. This image will appear to the left of the name of the currently selected group."},"documentation":"The URL to an image for the annotation service. This image will\nappear to the left of the name of the currently selected group."}},"patternProperties":{},"required":["apiUrl","authority","grantToken"],"propertyNames":{"errorMessage":"property ${value} does not match case convention apiUrl,authority,grantToken,allowLeavingGroups,enableShareLinks,groups,icon","type":"string","pattern":"(?!(^api_url$|^api-url$|^grant_token$|^grant-token$|^allow_leaving_groups$|^allow-leaving-groups$|^enable_share_links$|^enable-share-links$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Alternative annotation services which the client should \nconnect to instead of connecting to the public Hypothesis \nservice at hypothes.is.\n"},"documentation":"Alternative annotation services which the client should connect to\ninstead of connecting to the public Hypothesis service at\nhypothes.is."}},"branding":{"_internalId":282,"type":"object","description":"be an object","properties":{"accentColor":{"type":"string","description":"be a string","tags":{"description":"Secondary color for elements of the commenting UI."},"documentation":"Secondary color for elements of the commenting UI."},"appBackgroundColor":{"type":"string","description":"be a string","tags":{"description":"The main background color of the commenting UI."},"documentation":"The main background color of the commenting UI."},"ctaBackgroundColor":{"type":"string","description":"be a string","tags":{"description":"The background color for call to action buttons."},"documentation":"The background color for call to action buttons."},"selectionFontFamily":{"type":"string","description":"be a string","tags":{"description":"The font family for selection text in the annotation card."},"documentation":"The font family for selection text in the annotation card."},"annotationFontFamily":{"type":"string","description":"be a string","tags":{"description":"The font family for the actual annotation value that the user writes about the page or selection."},"documentation":"The font family for the actual annotation value that the user writes\nabout the page or selection."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention accentColor,appBackgroundColor,ctaBackgroundColor,selectionFontFamily,annotationFontFamily","type":"string","pattern":"(?!(^accent_color$|^accent-color$|^app_background_color$|^app-background-color$|^cta_background_color$|^cta-background-color$|^selection_font_family$|^selection-font-family$|^annotation_font_family$|^annotation-font-family$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Settings to adjust the commenting sidebar's look and feel."},"documentation":"Settings to adjust the commenting sidebar’s look and feel."},"externalContainerSelector":{"type":"string","description":"be a string","tags":{"description":"A CSS selector specifying the containing element into which the sidebar iframe will be placed."},"documentation":"A CSS selector specifying the containing element into which the\nsidebar iframe will be placed."},"focus":{"_internalId":296,"type":"object","description":"be an object","properties":{"user":{"_internalId":295,"type":"object","description":"be an object","properties":{"username":{"type":"string","description":"be a string","tags":{"description":"The username of the user to focus on."},"documentation":"The username of the user to focus on."},"userid":{"type":"string","description":"be a string","tags":{"description":"The userid of the user to focus on."},"documentation":"The userid of the user to focus on."},"displayName":{"type":"string","description":"be a string","tags":{"description":"The display name of the user to focus on."},"documentation":"The display name of the user to focus on."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention username,userid,displayName","type":"string","pattern":"(?!(^display_name$|^display-name$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}}},"patternProperties":{},"required":["user"],"tags":{"description":"Defines a focused filter set for the available annotations on a page."},"documentation":"Defines a focused filter set for the available annotations on a\npage."},"requestConfigFromFrame":{"_internalId":303,"type":"object","description":"be an object","properties":{"origin":{"type":"string","description":"be a string","tags":{"description":"Host url and port number of receiving iframe"},"documentation":"Host url and port number of receiving iframe"},"ancestorLevel":{"type":"number","description":"be a number","tags":{"description":"Number of nested iframes deep the client is relative from the receiving iframe."},"documentation":"Number of nested iframes deep the client is relative from the\nreceiving iframe."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention origin,ancestorLevel","type":"string","pattern":"(?!(^ancestor_level$|^ancestor-level$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"assetRoot":{"type":"string","description":"be a string","tags":{"description":"The root URL from which assets are loaded."},"documentation":"The root URL from which assets are loaded."},"sidebarAppUrl":{"type":"string","description":"be a string","tags":{"description":"The URL for the sidebar application which displays annotations."},"documentation":"The URL for the sidebar application which displays annotations."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object"}},"patternProperties":{},"closed":true}],"description":"be at least one of: 'false', an object","$id":"document-comments-configuration"},"social-metadata":{"_internalId":326,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title of the page","long":"The title of the page. Note that by default Quarto will automatically \nuse the title metadata from the page. Specify this field if you’d like \nto override the title for this provider.\n"}},"documentation":"The title of the page"},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"A short description of the content.","long":"A short description of the content. Note that by default Quarto will\nautomatically use the description metadata from the page. Specify this\nfield if you’d like to override the description for this provider.\n"}},"documentation":"A short description of the content."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a preview image for the content.","long":"The path to a preview image for the content. By default, Quarto will use\nthe `image` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The path to a preview image for the content."},"image-alt":{"type":"string","description":"be a string","tags":{"description":{"short":"The alt text for the preview image.","long":"The alt text for the preview image. By default, Quarto will use\nthe `image-alt` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The alt text for the preview image."},"image-width":{"type":"number","description":"be a number","tags":{"description":"Image width (pixels)"},"documentation":"Image width (pixels)"},"image-height":{"type":"number","description":"be a number","tags":{"description":"Image height (pixels)"},"documentation":"Image height (pixels)"}},"patternProperties":{},"closed":true,"$id":"social-metadata"},"page-footer-region":{"_internalId":337,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":336,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":335,"type":"ref","$ref":"navigation-item","description":"be navigation-item"}}],"description":"be at least one of: a string, an array of values, where each element must be navigation-item","$id":"page-footer-region"},"sidebar-contents":{"_internalId":372,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":344,"type":"ref","$ref":"contents-auto","description":"be contents-auto"},{"_internalId":371,"type":"array","description":"be an array of values, where each element must be at least one of: navigation-item, a string, an object, contents-auto","items":{"_internalId":370,"type":"anyOf","anyOf":[{"_internalId":351,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},{"type":"string","description":"be a string"},{"_internalId":366,"type":"object","description":"be an object","properties":{"section":{"_internalId":362,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, the null value"},"contents":{"_internalId":365,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents"}},"patternProperties":{},"closed":true},{"_internalId":369,"type":"ref","$ref":"contents-auto","description":"be contents-auto"}],"description":"be at least one of: navigation-item, a string, an object, contents-auto"}}],"description":"be at least one of: a string, contents-auto, an array of values, where each element must be at least one of: navigation-item, a string, an object, contents-auto","$id":"sidebar-contents"},"project-preview":{"_internalId":392,"type":"object","description":"be an object","properties":{"port":{"type":"number","description":"be a number","tags":{"description":"Port to listen on (defaults to random value between 3000 and 8000)"},"documentation":"Port to listen on (defaults to random value between 3000 and\n8000)"},"host":{"type":"string","description":"be a string","tags":{"description":"Hostname to bind to (defaults to 127.0.0.1)"},"documentation":"Hostname to bind to (defaults to 127.0.0.1)"},"serve":{"_internalId":383,"type":"ref","$ref":"project-serve","description":"be project-serve","tags":{"description":"Use an exernal application to preview the project."},"documentation":"Use an exernal application to preview the project."},"browser":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Open a web browser to view the preview (defaults to true)"},"documentation":"Open a web browser to view the preview (defaults to true)"},"watch-inputs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Re-render input files when they change (defaults to true)"},"documentation":"Re-render input files when they change (defaults to true)"},"navigate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Navigate the browser automatically when outputs are updated (defaults to true)"},"documentation":"Navigate the browser automatically when outputs are updated (defaults\nto true)"},"timeout":{"type":"number","description":"be a number","tags":{"description":"Time (in seconds) after which to exit if there are no active clients"},"documentation":"Time (in seconds) after which to exit if there are no active\nclients"}},"patternProperties":{},"closed":true,"$id":"project-preview"},"project-serve":{"_internalId":404,"type":"object","description":"be an object","properties":{"cmd":{"type":"string","description":"be a string","tags":{"description":"Serve project preview using the specified command.\nInterpolate the `--port` into the command using `{port}`.\n"},"documentation":"Serve project preview using the specified command. Interpolate the\n--port into the command using {port}."},"args":{"type":"string","description":"be a string","tags":{"description":"Additional command line arguments for preview command."},"documentation":"Additional command line arguments for preview command."},"env":{"_internalId":401,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Environment variables to set for preview command."},"documentation":"Environment variables to set for preview command."},"ready":{"type":"string","description":"be a string","tags":{"description":"Regular expression for detecting when the server is ready."},"documentation":"Regular expression for detecting when the server is ready."}},"patternProperties":{},"required":["cmd","ready"],"closed":true,"$id":"project-serve"},"publish":{"_internalId":415,"type":"object","description":"be an object","properties":{"netlify":{"_internalId":414,"type":"array","description":"be an array of values, where each element must be publish-record","items":{"_internalId":413,"type":"ref","$ref":"publish-record","description":"be publish-record"}}},"patternProperties":{},"closed":true,"tags":{"description":"Sites published from project"},"documentation":"Sites published from project","$id":"publish"},"publish-record":{"_internalId":422,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier for site"},"documentation":"Unique identifier for site"},"url":{"type":"string","description":"be a string","tags":{"description":"Published URL for site"},"documentation":"Published URL for site"}},"patternProperties":{},"closed":true,"$id":"publish-record"},"twitter-card-config":{"_internalId":326,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title of the page","long":"The title of the page. Note that by default Quarto will automatically \nuse the title metadata from the page. Specify this field if you’d like \nto override the title for this provider.\n"}},"documentation":"The title of the page"},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"A short description of the content.","long":"A short description of the content. Note that by default Quarto will\nautomatically use the description metadata from the page. Specify this\nfield if you’d like to override the description for this provider.\n"}},"documentation":"A short description of the content."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a preview image for the content.","long":"The path to a preview image for the content. By default, Quarto will use\nthe `image` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The path to a preview image for the content."},"image-alt":{"type":"string","description":"be a string","tags":{"description":{"short":"The alt text for the preview image.","long":"The alt text for the preview image. By default, Quarto will use\nthe `image-alt` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The alt text for the preview image."},"image-width":{"type":"number","description":"be a number","tags":{"description":"Image width (pixels)"},"documentation":"Image width (pixels)"},"image-height":{"type":"number","description":"be a number","tags":{"description":"Image height (pixels)"},"documentation":"Image height (pixels)"},"card-style":{"_internalId":427,"type":"enum","enum":["summary","summary_large_image"],"description":"be one of: `summary`, `summary_large_image`","completions":["summary","summary_large_image"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Card style","long":"Card style (`summary` or `summary_large_image`).\n\nIf this is not provided, the best style will automatically\nselected based upon other metadata. You can learn more about Twitter Card\nstyles [here](https://developer.twitter.com/en/docs/twitter-for-websites/cards/overview/abouts-cards).\n"}},"documentation":"Card style"},"creator":{"type":"string","description":"be a string","tags":{"description":"`@username` of the content creator (must be a quoted string)"},"documentation":"@username of the content creator (must be a quoted\nstring)"},"site":{"type":"string","description":"be a string","tags":{"description":"`@username` of the website (must be a quoted string)"},"documentation":"@username of the website (must be a quoted string)"}},"patternProperties":{},"closed":true,"$id":"twitter-card-config"},"open-graph-config":{"_internalId":326,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title of the page","long":"The title of the page. Note that by default Quarto will automatically \nuse the title metadata from the page. Specify this field if you’d like \nto override the title for this provider.\n"}},"documentation":"The title of the page"},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"A short description of the content.","long":"A short description of the content. Note that by default Quarto will\nautomatically use the description metadata from the page. Specify this\nfield if you’d like to override the description for this provider.\n"}},"documentation":"A short description of the content."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a preview image for the content.","long":"The path to a preview image for the content. By default, Quarto will use\nthe `image` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The path to a preview image for the content."},"image-alt":{"type":"string","description":"be a string","tags":{"description":{"short":"The alt text for the preview image.","long":"The alt text for the preview image. By default, Quarto will use\nthe `image-alt` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The alt text for the preview image."},"image-width":{"type":"number","description":"be a number","tags":{"description":"Image width (pixels)"},"documentation":"Image width (pixels)"},"image-height":{"type":"number","description":"be a number","tags":{"description":"Image height (pixels)"},"documentation":"Image height (pixels)"},"locale":{"type":"string","description":"be a string","tags":{"description":"Locale of open graph metadata"},"documentation":"Locale of open graph metadata"},"site-name":{"type":"string","description":"be a string","tags":{"description":{"short":"Name that should be displayed for the overall site","long":"Name that should be displayed for the overall site. If not explicitly \nprovided in the `open-graph` metadata, Quarto will use the website or\nbook `title` by default.\n"}},"documentation":"Name that should be displayed for the overall site"}},"patternProperties":{},"closed":true,"$id":"open-graph-config"},"page-footer":{"_internalId":470,"type":"object","description":"be an object","properties":{"left":{"_internalId":448,"type":"ref","$ref":"page-footer-region","description":"be page-footer-region","tags":{"description":"Footer left content"},"documentation":"Footer left content"},"right":{"_internalId":451,"type":"ref","$ref":"page-footer-region","description":"be page-footer-region","tags":{"description":"Footer right content"},"documentation":"Footer right content"},"center":{"_internalId":454,"type":"ref","$ref":"page-footer-region","description":"be page-footer-region","tags":{"description":"Footer center content"},"documentation":"Footer center content"},"border":{"_internalId":461,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"description":"Footer border (`true`, `false`, or a border color)"},"documentation":"Footer border (true, false, or a border\ncolor)"},"background":{"type":"string","description":"be a string","tags":{"description":"Footer background color"},"documentation":"Footer background color"},"foreground":{"type":"string","description":"be a string","tags":{"description":"Footer foreground color"},"documentation":"Footer foreground color"}},"patternProperties":{},"closed":true,"$id":"page-footer"},"base-website":{"_internalId":893,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Website title"},"documentation":"Website title"},"description":{"type":"string","description":"be a string","tags":{"description":"Website description"},"documentation":"Website description"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The path to the favicon for this website"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"Base URL for published website"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Base URL for website source code repository"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"The value of the target attribute for repo links"},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"The value of the rel attribute for repo links"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Subdirectory of repository containing website"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Branch of website source code (defaults to main)"},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"The Google tracking Id or measurement Id of this website."},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Storage options for Google Analytics data"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Anonymize the user ip address."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The version number of Google Analytics to use."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"Enable Google Analytics for this website"},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"Path to a file containing the Plausible Analytics script snippet"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The content of the announcement"},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Whether this announcement may be dismissed by the user."},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The icon to display in the announcement"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The position of the announcement."},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"Provides an announcement displayed at the top of the page."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The type of consent that should be requested"},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The style of the consent banner that is displayed"},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"The url to the website’s cookie or privacy policy."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"Request cookie consent before enabling scripts that set cookies"},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Location for search widget (navbar or\nsidebar)"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"Type of search UI (overlay or textbox)"},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"Number of matches to display (defaults to 20)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"Matches after which to collapse additional results"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Provide button for copying search link"},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"The name of the index to use when performing a search"},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"The unique ID used by Algolia to identify your application"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"The Search-Only API key to use to connect to Algolia"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Enable tracking of Algolia analytics events"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Field that contains the URL of index entries"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Field that contains the title of index entries"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"Field that contains the text of index entries"},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Field that contains the section of index entries"}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Additional parameters to pass when executing a search"}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Use external Algolia search index"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Provide full text search for website"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar title. Uses the project title if none is specified."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"Specification of image that will be displayed to the left of the\ntitle."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"The navbar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The navbar’s foreground color (named or hex color)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"Include a search box in the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"Always show the navbar (keeping it pinned)."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"List of items for the left side of the navbar."},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"List of items for the right side of the navbar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Top navigation options"},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Side navigation options"},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Markdown to insert below each page’s body."},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Provide next and previous article links in footer"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Provide a ‘back to top’ navigation button"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Shared page footer"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"Publish open graph metadata"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"Publish twitter card metadata"},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"A list of other links to appear below the TOC."},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"A list of code links to appear with this document."},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"A list of input documents that should be treated as drafts"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"How to handle drafts that are encountered."}},"patternProperties":{},"closed":true,"$id":"base-website"},"book-schema":{"_internalId":893,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Book title"},"documentation":"Book title"},"description":{"type":"string","description":"be a string","tags":{"description":"Description metadata for HTML version of book"},"documentation":"Description metadata for HTML version of book"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The path to the favicon for this website"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"Base URL for published website"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Base URL for website source code repository"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"The value of the target attribute for repo links"},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"The value of the rel attribute for repo links"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Subdirectory of repository containing website"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Branch of website source code (defaults to main)"},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"The Google tracking Id or measurement Id of this website."},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Storage options for Google Analytics data"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Anonymize the user ip address."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The version number of Google Analytics to use."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"Enable Google Analytics for this website"},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"Path to a file containing the Plausible Analytics script snippet"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The content of the announcement"},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Whether this announcement may be dismissed by the user."},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The icon to display in the announcement"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The position of the announcement."},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"Provides an announcement displayed at the top of the page."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The type of consent that should be requested"},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The style of the consent banner that is displayed"},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"The url to the website’s cookie or privacy policy."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"Request cookie consent before enabling scripts that set cookies"},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Location for search widget (navbar or\nsidebar)"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"Type of search UI (overlay or textbox)"},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"Number of matches to display (defaults to 20)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"Matches after which to collapse additional results"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Provide button for copying search link"},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"The name of the index to use when performing a search"},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"The unique ID used by Algolia to identify your application"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"The Search-Only API key to use to connect to Algolia"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Enable tracking of Algolia analytics events"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Field that contains the URL of index entries"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Field that contains the title of index entries"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"Field that contains the text of index entries"},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Field that contains the section of index entries"}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Additional parameters to pass when executing a search"}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Use external Algolia search index"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Provide full text search for website"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar title. Uses the project title if none is specified."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"Specification of image that will be displayed to the left of the\ntitle."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"The navbar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The navbar’s foreground color (named or hex color)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"Include a search box in the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"Always show the navbar (keeping it pinned)."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"List of items for the left side of the navbar."},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"List of items for the right side of the navbar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Top navigation options"},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Side navigation options"},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Markdown to insert below each page’s body."},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Provide next and previous article links in footer"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Provide a ‘back to top’ navigation button"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Shared page footer"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"Publish open graph metadata"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"Publish twitter card metadata"},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"A list of other links to appear below the TOC."},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"A list of code links to appear with this document."},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"A list of input documents that should be treated as drafts"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"How to handle drafts that are encountered."},"subtitle":{"type":"string","description":"be a string","tags":{"description":"Book subtitle"},"documentation":"Book subtitle"},"author":{"_internalId":912,"type":"anyOf","anyOf":[{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Author or authors of the book"},{"_internalId":911,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Author or authors of the book"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string","tags":{"description":"Book publication date"},"documentation":"Book publication date"},"date-format":{"type":"string","description":"be a string","tags":{"description":"Format string for dates in the book"},"documentation":"Format string for dates in the book"},"abstract":{"type":"string","description":"be a string","tags":{"description":"Book abstract"},"documentation":"Book abstract"},"chapters":{"_internalId":925,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book part and chapter files"},"documentation":"Book part and chapter files"},"appendices":{"_internalId":930,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book appendix files"},"documentation":"Book appendix files"},"references":{"type":"string","description":"be a string","tags":{"description":"Book references file"},"documentation":"Book references file"},"output-file":{"type":"string","description":"be a string","tags":{"description":"Base name for single-file output (e.g. PDF, ePub, docx)"},"documentation":"Base name for single-file output (e.g. PDF, ePub, docx)"},"cover-image":{"type":"string","description":"be a string","tags":{"description":"Cover image (used in HTML and ePub formats)"},"documentation":"Cover image (used in HTML and ePub formats)"},"cover-image-alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for cover image (used in HTML format)"},"documentation":"Alternative text for cover image (used in HTML format)"},"sharing":{"_internalId":945,"type":"anyOf","anyOf":[{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},{"_internalId":944,"type":"array","description":"be an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","items":{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"}}],"description":"be at least one of: one of: `twitter`, `facebook`, `linkedin`, an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","tags":{"complete-from":["anyOf",0]}},"downloads":{"_internalId":952,"type":"anyOf","anyOf":[{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},{"_internalId":951,"type":"array","description":"be an array of values, where each element must be one of: `pdf`, `epub`, `docx`","items":{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"}}],"description":"be at least one of: one of: `pdf`, `epub`, `docx`, an array of values, where each element must be one of: `pdf`, `epub`, `docx`","tags":{"complete-from":["anyOf",0]}},"tools":{"_internalId":958,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":957,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Custom tools for navbar or sidebar"},"documentation":"Custom tools for navbar or sidebar"},"doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The Digital Object Identifier for this book."},"documentation":"The Digital Object Identifier for this book."}},"patternProperties":{},"closed":true,"$id":"book-schema"},"chapter-item":{"_internalId":980,"type":"anyOf","anyOf":[{"_internalId":968,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},{"_internalId":979,"type":"object","description":"be an object","properties":{"part":{"type":"string","description":"be a string","tags":{"description":"Part title or path to input file"},"documentation":"Part title or path to input file"},"chapters":{"_internalId":978,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":977,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Path to chapter input file"},"documentation":"Path to chapter input file"}},"patternProperties":{},"required":["part"]}],"description":"be at least one of: navigation-item, an object","$id":"chapter-item"},"chapter-list":{"_internalId":986,"type":"array","description":"be an array of values, where each element must be chapter-item","items":{"_internalId":985,"type":"ref","$ref":"chapter-item","description":"be chapter-item"},"$id":"chapter-list"},"other-links":{"_internalId":1002,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1001,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text for the link."},"documentation":"The text for the link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for the link."},"documentation":"The href for the link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The bootstrap icon name for the link."},"documentation":"The bootstrap icon name for the link."},"rel":{"type":"string","description":"be a string","tags":{"description":"The rel attribute value for the link."},"documentation":"The rel attribute value for the link."},"target":{"type":"string","description":"be a string","tags":{"description":"The target attribute value for the link."},"documentation":"The target attribute value for the link."}},"patternProperties":{},"required":["text","href"]},"$id":"other-links"},"crossref-labels-schema":{"type":"string","description":"be a string","completions":["alpha","arabic","roman"],"$id":"crossref-labels-schema"},"epub-contributor":{"_internalId":1022,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1021,"type":"anyOf","anyOf":[{"_internalId":1019,"type":"object","description":"be an object","properties":{"role":{"type":"string","description":"be a string","tags":{"description":{"short":"The role of this creator or contributor.","long":"The role of this creator or contributor using \n[MARC relators](https://loc.gov/marc/relators/relaterm.html). Human readable\ntranslations to commonly used relators (e.g. 'author', 'editor') will \nattempt to be automatically translated.\n"}},"documentation":"The role of this creator or contributor."},"file-as":{"type":"string","description":"be a string","tags":{"description":"An alternate version of the creator or contributor text used for alphabatizing."},"documentation":"An alternate version of the creator or contributor text used for\nalphabatizing."},"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the creator or contributor (for example, creator name)."},"documentation":"The text describing the creator or contributor (for example, creator\nname)."}},"patternProperties":{},"closed":true},{"_internalId":1020,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1019,"type":"object","description":"be an object","properties":{"role":{"type":"string","description":"be a string","tags":{"description":{"short":"The role of this creator or contributor.","long":"The role of this creator or contributor using \n[MARC relators](https://loc.gov/marc/relators/relaterm.html). Human readable\ntranslations to commonly used relators (e.g. 'author', 'editor') will \nattempt to be automatically translated.\n"}},"documentation":"The role of this creator or contributor."},"file-as":{"type":"string","description":"be a string","tags":{"description":"An alternate version of the creator or contributor text used for alphabatizing."},"documentation":"An alternate version of the creator or contributor text used for\nalphabatizing."},"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the creator or contributor (for example, creator name)."},"documentation":"The text describing the creator or contributor (for example, creator\nname)."}},"patternProperties":{},"closed":true}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: a string, at least one of: an object, an array of values, where each element must be an object","$id":"epub-contributor"},"format-language":{"_internalId":1149,"type":"object","description":"be a format language description object","properties":{"toc-title-document":{"type":"string","description":"be a string"},"toc-title-website":{"type":"string","description":"be a string"},"related-formats-title":{"type":"string","description":"be a string"},"related-notebooks-title":{"type":"string","description":"be a string"},"callout-tip-title":{"type":"string","description":"be a string"},"callout-note-title":{"type":"string","description":"be a string"},"callout-warning-title":{"type":"string","description":"be a string"},"callout-important-title":{"type":"string","description":"be a string"},"callout-caution-title":{"type":"string","description":"be a string"},"section-title-abstract":{"type":"string","description":"be a string"},"section-title-footnotes":{"type":"string","description":"be a string"},"section-title-appendices":{"type":"string","description":"be a string"},"code-summary":{"type":"string","description":"be a string"},"code-tools-menu-caption":{"type":"string","description":"be a string"},"code-tools-show-all-code":{"type":"string","description":"be a string"},"code-tools-hide-all-code":{"type":"string","description":"be a string"},"code-tools-view-source":{"type":"string","description":"be a string"},"code-tools-source-code":{"type":"string","description":"be a string"},"search-no-results-text":{"type":"string","description":"be a string"},"copy-button-tooltip":{"type":"string","description":"be a string"},"copy-button-tooltip-success":{"type":"string","description":"be a string"},"repo-action-links-edit":{"type":"string","description":"be a string"},"repo-action-links-source":{"type":"string","description":"be a string"},"repo-action-links-issue":{"type":"string","description":"be a string"},"search-matching-documents-text":{"type":"string","description":"be a string"},"search-copy-link-title":{"type":"string","description":"be a string"},"search-hide-matches-text":{"type":"string","description":"be a string"},"search-more-match-text":{"type":"string","description":"be a string"},"search-more-matches-text":{"type":"string","description":"be a string"},"search-clear-button-title":{"type":"string","description":"be a string"},"search-text-placeholder":{"type":"string","description":"be a string"},"search-detached-cancel-button-title":{"type":"string","description":"be a string"},"search-submit-button-title":{"type":"string","description":"be a string"},"crossref-fig-title":{"type":"string","description":"be a string"},"crossref-tbl-title":{"type":"string","description":"be a string"},"crossref-lst-title":{"type":"string","description":"be a string"},"crossref-thm-title":{"type":"string","description":"be a string"},"crossref-lem-title":{"type":"string","description":"be a string"},"crossref-cor-title":{"type":"string","description":"be a string"},"crossref-prp-title":{"type":"string","description":"be a string"},"crossref-cnj-title":{"type":"string","description":"be a string"},"crossref-def-title":{"type":"string","description":"be a string"},"crossref-exm-title":{"type":"string","description":"be a string"},"crossref-exr-title":{"type":"string","description":"be a string"},"crossref-fig-prefix":{"type":"string","description":"be a string"},"crossref-tbl-prefix":{"type":"string","description":"be a string"},"crossref-lst-prefix":{"type":"string","description":"be a string"},"crossref-ch-prefix":{"type":"string","description":"be a string"},"crossref-apx-prefix":{"type":"string","description":"be a string"},"crossref-sec-prefix":{"type":"string","description":"be a string"},"crossref-eq-prefix":{"type":"string","description":"be a string"},"crossref-thm-prefix":{"type":"string","description":"be a string"},"crossref-lem-prefix":{"type":"string","description":"be a string"},"crossref-cor-prefix":{"type":"string","description":"be a string"},"crossref-prp-prefix":{"type":"string","description":"be a string"},"crossref-cnj-prefix":{"type":"string","description":"be a string"},"crossref-def-prefix":{"type":"string","description":"be a string"},"crossref-exm-prefix":{"type":"string","description":"be a string"},"crossref-exr-prefix":{"type":"string","description":"be a string"},"crossref-lof-title":{"type":"string","description":"be a string"},"crossref-lot-title":{"type":"string","description":"be a string"},"crossref-lol-title":{"type":"string","description":"be a string"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention toc-title-document,toc-title-website,related-formats-title,related-notebooks-title,callout-tip-title,callout-note-title,callout-warning-title,callout-important-title,callout-caution-title,section-title-abstract,section-title-footnotes,section-title-appendices,code-summary,code-tools-menu-caption,code-tools-show-all-code,code-tools-hide-all-code,code-tools-view-source,code-tools-source-code,search-no-results-text,copy-button-tooltip,copy-button-tooltip-success,repo-action-links-edit,repo-action-links-source,repo-action-links-issue,search-matching-documents-text,search-copy-link-title,search-hide-matches-text,search-more-match-text,search-more-matches-text,search-clear-button-title,search-text-placeholder,search-detached-cancel-button-title,search-submit-button-title,crossref-fig-title,crossref-tbl-title,crossref-lst-title,crossref-thm-title,crossref-lem-title,crossref-cor-title,crossref-prp-title,crossref-cnj-title,crossref-def-title,crossref-exm-title,crossref-exr-title,crossref-fig-prefix,crossref-tbl-prefix,crossref-lst-prefix,crossref-ch-prefix,crossref-apx-prefix,crossref-sec-prefix,crossref-eq-prefix,crossref-thm-prefix,crossref-lem-prefix,crossref-cor-prefix,crossref-prp-prefix,crossref-cnj-prefix,crossref-def-prefix,crossref-exm-prefix,crossref-exr-prefix,crossref-lof-title,crossref-lot-title,crossref-lol-title","type":"string","pattern":"(?!(^toc_title_document$|^tocTitleDocument$|^toc_title_website$|^tocTitleWebsite$|^related_formats_title$|^relatedFormatsTitle$|^related_notebooks_title$|^relatedNotebooksTitle$|^callout_tip_title$|^calloutTipTitle$|^callout_note_title$|^calloutNoteTitle$|^callout_warning_title$|^calloutWarningTitle$|^callout_important_title$|^calloutImportantTitle$|^callout_caution_title$|^calloutCautionTitle$|^section_title_abstract$|^sectionTitleAbstract$|^section_title_footnotes$|^sectionTitleFootnotes$|^section_title_appendices$|^sectionTitleAppendices$|^code_summary$|^codeSummary$|^code_tools_menu_caption$|^codeToolsMenuCaption$|^code_tools_show_all_code$|^codeToolsShowAllCode$|^code_tools_hide_all_code$|^codeToolsHideAllCode$|^code_tools_view_source$|^codeToolsViewSource$|^code_tools_source_code$|^codeToolsSourceCode$|^search_no_results_text$|^searchNoResultsText$|^copy_button_tooltip$|^copyButtonTooltip$|^copy_button_tooltip_success$|^copyButtonTooltipSuccess$|^repo_action_links_edit$|^repoActionLinksEdit$|^repo_action_links_source$|^repoActionLinksSource$|^repo_action_links_issue$|^repoActionLinksIssue$|^search_matching_documents_text$|^searchMatchingDocumentsText$|^search_copy_link_title$|^searchCopyLinkTitle$|^search_hide_matches_text$|^searchHideMatchesText$|^search_more_match_text$|^searchMoreMatchText$|^search_more_matches_text$|^searchMoreMatchesText$|^search_clear_button_title$|^searchClearButtonTitle$|^search_text_placeholder$|^searchTextPlaceholder$|^search_detached_cancel_button_title$|^searchDetachedCancelButtonTitle$|^search_submit_button_title$|^searchSubmitButtonTitle$|^crossref_fig_title$|^crossrefFigTitle$|^crossref_tbl_title$|^crossrefTblTitle$|^crossref_lst_title$|^crossrefLstTitle$|^crossref_thm_title$|^crossrefThmTitle$|^crossref_lem_title$|^crossrefLemTitle$|^crossref_cor_title$|^crossrefCorTitle$|^crossref_prp_title$|^crossrefPrpTitle$|^crossref_cnj_title$|^crossrefCnjTitle$|^crossref_def_title$|^crossrefDefTitle$|^crossref_exm_title$|^crossrefExmTitle$|^crossref_exr_title$|^crossrefExrTitle$|^crossref_fig_prefix$|^crossrefFigPrefix$|^crossref_tbl_prefix$|^crossrefTblPrefix$|^crossref_lst_prefix$|^crossrefLstPrefix$|^crossref_ch_prefix$|^crossrefChPrefix$|^crossref_apx_prefix$|^crossrefApxPrefix$|^crossref_sec_prefix$|^crossrefSecPrefix$|^crossref_eq_prefix$|^crossrefEqPrefix$|^crossref_thm_prefix$|^crossrefThmPrefix$|^crossref_lem_prefix$|^crossrefLemPrefix$|^crossref_cor_prefix$|^crossrefCorPrefix$|^crossref_prp_prefix$|^crossrefPrpPrefix$|^crossref_cnj_prefix$|^crossrefCnjPrefix$|^crossref_def_prefix$|^crossrefDefPrefix$|^crossref_exm_prefix$|^crossrefExmPrefix$|^crossref_exr_prefix$|^crossrefExrPrefix$|^crossref_lof_title$|^crossrefLofTitle$|^crossref_lot_title$|^crossrefLotTitle$|^crossref_lol_title$|^crossrefLolTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"format-language"},"website-about":{"_internalId":1179,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":{"short":"The target id for the about page.","long":"The target id of this about page. When the about page is rendered, it will \nplace read the contents of a `div` with this id into the about template that you \nhave selected (and replace the contents with the rendered about content).\n\nIf no such `div` is defined on the page, a `div` with this id will be created \nand appended to the end of the page.\n"}},"documentation":"The target id for the about page."},"template":{"_internalId":1161,"type":"anyOf","anyOf":[{"_internalId":1158,"type":"enum","enum":["jolla","trestles","solana","marquee","broadside"],"description":"be one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`","completions":["jolla","trestles","solana","marquee","broadside"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`, a string","tags":{"description":{"short":"The template to use to layout this about page.","long":"The template to use to layout this about page. Choose from:\n\n- `jolla`\n- `trestles`\n- `solana`\n- `marquee`\n- `broadside`\n"}},"documentation":"The template to use to layout this about page."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to the main image on the about page.","long":"The path to the main image on the about page. If not specified, \nthe `image` provided for the document itself will be used.\n"}},"documentation":"The path to the main image on the about page."},"image-alt":{"type":"string","description":"be a string","tags":{"description":"The alt text for the main image on the about page."},"documentation":"The alt text for the main image on the about page."},"image-title":{"type":"string","description":"be a string","tags":{"description":"The title for the main image on the about page."},"documentation":"The title for the main image on the about page."},"image-width":{"type":"string","description":"be a string","tags":{"description":{"short":"A valid CSS width for the about page image.","long":"A valid CSS width for the about page image.\n"}},"documentation":"A valid CSS width for the about page image."},"image-shape":{"_internalId":1172,"type":"enum","enum":["rectangle","round","rounded"],"description":"be one of: `rectangle`, `round`, `rounded`","completions":["rectangle","round","rounded"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The shape of the image on the about page.","long":"The shape of the image on the about page.\n\n- `rectangle`\n- `round`\n- `rounded`\n"}},"documentation":"The shape of the image on the about page."},"links":{"_internalId":1178,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":1177,"type":"ref","$ref":"navigation-item","description":"be navigation-item"}}},"patternProperties":{},"required":["template"],"closed":true,"$id":"website-about"},"website-listing":{"_internalId":1334,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":{"short":"The id of this listing.","long":"The id of this listing. When the listing is rendered, it will \nplace the contents into a `div` with this id. If no such `div` is defined on the \npage, a `div` with this id will be created and appended to the end of the page.\n\nIf no `id` is provided for a listing, Quarto will synthesize one when rendering the page.\n"}},"documentation":"The id of this listing."},"type":{"_internalId":1186,"type":"enum","enum":["default","table","grid","custom"],"description":"be one of: `default`, `table`, `grid`, `custom`","completions":["default","table","grid","custom"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of listing to create.","long":"The type of listing to create. Choose one of:\n\n- `default`: A blog style list of items\n- `table`: A table of items\n- `grid`: A grid of item cards\n- `custom`: A custom template, provided by the `template` field\n"}},"documentation":"The type of listing to create."},"contents":{"_internalId":1198,"type":"anyOf","anyOf":[{"_internalId":1196,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1195,"type":"ref","$ref":"website-listing-contents-object","description":"be website-listing-contents-object"}],"description":"be at least one of: a string, website-listing-contents-object"},{"_internalId":1197,"type":"array","description":"be an array of values, where each element must be at least one of: a string, website-listing-contents-object","items":{"_internalId":1196,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1195,"type":"ref","$ref":"website-listing-contents-object","description":"be website-listing-contents-object"}],"description":"be at least one of: a string, website-listing-contents-object"}}],"description":"be at least one of: at least one of: a string, website-listing-contents-object, an array of values, where each element must be at least one of: a string, website-listing-contents-object","tags":{"complete-from":["anyOf",0],"description":"The files or path globs of Quarto documents or YAML files that should be included in the listing."},"documentation":"The files or path globs of Quarto documents or YAML files that should\nbe included in the listing."},"sort":{"_internalId":1209,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1208,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1207,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: a string, an array of values, where each element must be a string","tags":{"description":{"short":"Sort items in the listing by these fields.","long":"Sort items in the listing by these fields. The sort key is made up of a \nfield name followed by a direction `asc` or `desc`.\n\nFor example:\n`date asc`\n\nUse `sort:false` to use the unsorted original order of items.\n"}},"documentation":"Sort items in the listing by these fields."},"max-items":{"type":"number","description":"be a number","tags":{"description":"The maximum number of items to include in this listing."},"documentation":"The maximum number of items to include in this listing."},"page-size":{"type":"number","description":"be a number","tags":{"description":"The number of items to display on a page."},"documentation":"The number of items to display on a page."},"sort-ui":{"_internalId":1223,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1222,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: `true` or `false`, an array of values, where each element must be a string","tags":{"description":{"short":"Shows or hides the sorting control for the listing.","long":"Shows or hides the sorting control for the listing. To control the \nfields that will be displayed in the sorting control, provide a list\nof field names.\n"}},"documentation":"Shows or hides the sorting control for the listing."},"filter-ui":{"_internalId":1233,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1232,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: `true` or `false`, an array of values, where each element must be a string","tags":{"description":{"short":"Shows or hides the filtering control for the listing.","long":"Shows or hides the filtering control for the listing. To control the \nfields that will be used to filter the listing, provide a list\nof field names. By default all fields of the listing will be used\nwhen filtering.\n"}},"documentation":"Shows or hides the filtering control for the listing."},"categories":{"_internalId":1241,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1240,"type":"enum","enum":["numbered","unnumbered","cloud"],"description":"be one of: `numbered`, `unnumbered`, `cloud`","completions":["numbered","unnumbered","cloud"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `numbered`, `unnumbered`, `cloud`","tags":{"description":{"short":"Display item categories from this listing in the margin of the page.","long":"Display item categories from this listing in the margin of the page.\n\n - `numbered`: Category list with number of items\n - `unnumbered`: Category list\n - `cloud`: Word cloud style categories\n"}},"documentation":"Display item categories from this listing in the margin of the\npage."},"feed":{"_internalId":1270,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1269,"type":"object","description":"be an object","properties":{"items":{"type":"number","description":"be a number","tags":{"description":"The number of items to include in your feed. Defaults to 20.\n"},"documentation":"The number of items to include in your feed. Defaults to 20."},"type":{"_internalId":1252,"type":"enum","enum":["full","partial","metadata"],"description":"be one of: `full`, `partial`, `metadata`","completions":["full","partial","metadata"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Whether to include full or partial content in the feed.","long":"Whether to include full or partial content in the feed.\n\n- `full` (default): Include the complete content of the document in the feed.\n- `partial`: Include only the first paragraph of the document in the feed.\n- `metadata`: Use only the title, description, and other document metadata in the feed.\n"}},"documentation":"Whether to include full or partial content in the feed."},"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title for this feed.","long":"The title for this feed. Defaults to the site title provided the Quarto project.\n"}},"documentation":"The title for this feed."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to an image for this feed.","long":"The path to an image for this feed. If not specified, the image for the page the listing \nappears on will be used, otherwise an image will be used if specified for the site \nin the Quarto project.\n"}},"documentation":"The path to an image for this feed."},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"The description of this feed.","long":"The description of this feed. If not specified, the description for the page the \nlisting appears on will be used, otherwise the description \nof the site will be used if specified in the Quarto project.\n"}},"documentation":"The description of this feed."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the feed.","long":"The language of the feed. Omitted if not specified. \nSee [https://www.rssboard.org/rss-language-codes](https://www.rssboard.org/rss-language-codes)\nfor a list of valid language codes.\n"}},"documentation":"The language of the feed."},"categories":{"_internalId":1266,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"A list of categories for which to create separate RSS feeds containing only posts with that category"},"documentation":"A list of categories for which to create separate RSS feeds\ncontaining only posts with that category"},{"_internalId":1265,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"A list of categories for which to create separate RSS feeds containing only posts with that category"},"documentation":"A list of categories for which to create separate RSS feeds\ncontaining only posts with that category"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"xml-stylesheet":{"type":"string","description":"be a string","tags":{"description":"The path to an XML stylesheet (XSL file) used to style the RSS feed."},"documentation":"The path to an XML stylesheet (XSL file) used to style the RSS\nfeed."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Enables an RSS feed for the listing."},"documentation":"Enables an RSS feed for the listing."},"date-format":{"type":"string","description":"be a string","tags":{"description":{"short":"The date format to use when displaying dates (e.g. d-M-yyy).","long":"The date format to use when displaying dates (e.g. d-M-yyy). \nLearn more about supported date formatting values [here](https://quarto.org/docs/reference/dates.html).\n"}},"documentation":"The date format to use when displaying dates (e.g. d-M-yyy)."},"max-description-length":{"type":"number","description":"be a number","tags":{"description":{"short":"The maximum length (in characters) of the description displayed in the listing.","long":"The maximum length (in characters) of the description displayed in the listing.\nDefaults to 175.\n"}},"documentation":"The maximum length (in characters) of the description displayed in\nthe listing."},"image-placeholder":{"type":"string","description":"be a string","tags":{"description":"The default image to use if an item in the listing doesn't have an image."},"documentation":"The default image to use if an item in the listing doesn’t have an\nimage."},"image-lazy-loading":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"If false, images in the listing will be loaded immediately. If true, images will be loaded as they come into view."},"documentation":"If false, images in the listing will be loaded immediately. If true,\nimages will be loaded as they come into view."},"image-align":{"_internalId":1281,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"In `default` type listings, whether to place the image on the right or left side of the post content (`left` or `right`)."},"documentation":"In default type listings, whether to place the image on\nthe right or left side of the post content (left or\nright)."},"image-height":{"type":"string","description":"be a string","tags":{"description":{"short":"The height of the image being displayed.","long":"The height of the image being displayed (a CSS height string).\n\nThe width is automatically determined and the image will fill the rectangle without scaling (cropped to fill).\n"}},"documentation":"The height of the image being displayed."},"grid-columns":{"type":"number","description":"be a number","tags":{"description":{"short":"In `grid` type listings, the number of columns in the grid display.","long":"In grid type listings, the number of columns in the grid display.\nDefaults to 3.\n"}},"documentation":"In grid type listings, the number of columns in the grid\ndisplay."},"grid-item-border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `grid` type listings, whether to display a border around the item card.","long":"In grid type listings, whether to display a border around the item card. Defaults to `true`.\n"}},"documentation":"In grid type listings, whether to display a border\naround the item card."},"grid-item-align":{"_internalId":1290,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `grid` type listings, the alignment of the content within the card.","long":"In grid type listings, the alignment of the content within the card (`left` (default), `right`, or `center`).\n"}},"documentation":"In grid type listings, the alignment of the content\nwithin the card."},"table-striped":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `table` type listings, display the table rows with alternating background colors.","long":"In table type listings, display the table rows with alternating background colors.\nDefaults to `false`.\n"}},"documentation":"In table type listings, display the table rows with\nalternating background colors."},"table-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `table` type listings, highlight rows of the table when the user hovers the mouse over them.","long":"In table type listings, highlight rows of the table when the user hovers the mouse over them.\nDefaults to false.\n"}},"documentation":"In table type listings, highlight rows of the table when\nthe user hovers the mouse over them."},"template":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a custom listing template.","long":"The path to a custom listing template.\n"}},"documentation":"The path to a custom listing template."},"template-params":{"_internalId":1299,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Parameters that are passed to the custom template."},"documentation":"Parameters that are passed to the custom template."},"fields":{"_internalId":1305,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":{"short":"The list of fields to include in this listing","long":"The list of fields to include in this listing.\n"}},"documentation":"The list of fields to include in this listing"},"field-display-names":{"_internalId":1308,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":{"short":"A mapping of display names for listing fields.","long":"A mapping that provides display names for specific fields. For example, to display the title column as ‘Report’ in a table listing you would write:\n\n```yaml\nlisting:\n field-display-names:\n title: \"Report\"\n```\n"}},"documentation":"A mapping of display names for listing fields."},"field-types":{"_internalId":1311,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":{"short":"Provides the date type for the field of a listing item.","long":"Provides the date type for the field of a listing item. Unknown fields are treated\nas strings unless a type is provided. Valid types are `date`, `number`.\n"}},"documentation":"Provides the date type for the field of a listing item."},"field-links":{"_internalId":1316,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":{"short":"This list of fields to display as links in a table listing.","long":"The list of fields to display as hyperlinks to the source document \nwhen the listing type is a table. By default, only the `title` or \n`filename` is displayed as a link.\n"}},"documentation":"This list of fields to display as links in a table listing."},"field-required":{"_internalId":1321,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":{"short":"Fields that items in this listing must have populated.","long":"Fields that items in this listing must have populated.\nIf a listing is rendered and one more items in this listing \nis missing a required field, an error will occur and the render will.\n"}},"documentation":"Fields that items in this listing must have populated."},"include":{"_internalId":1327,"type":"anyOf","anyOf":[{"_internalId":1324,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"_internalId":1326,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1324,"type":"object","description":"be an object","properties":{},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0],"description":"Items with matching field values will be included in the listing."},"documentation":"Items with matching field values will be included in the listing."},"exclude":{"_internalId":1333,"type":"anyOf","anyOf":[{"_internalId":1330,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"_internalId":1332,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1330,"type":"object","description":"be an object","properties":{},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0],"description":"Items with matching field values will be excluded from the listing."},"documentation":"Items with matching field values will be excluded from the\nlisting."}},"patternProperties":{},"closed":true,"$id":"website-listing"},"website-listing-contents-object":{"_internalId":1349,"type":"object","description":"be an object","properties":{"author":{"_internalId":1342,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1341,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string"},"title":{"type":"string","description":"be a string"},"subtitle":{"type":"string","description":"be a string"}},"patternProperties":{},"$id":"website-listing-contents-object"},"csl-date":{"_internalId":1369,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1359,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":1358,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0]}},{"_internalId":1368,"type":"object","description":"be an object","properties":{"year":{"type":"number","description":"be a number","tags":{"description":"The year"},"documentation":"The year"},"month":{"type":"number","description":"be a number","tags":{"description":"The month"},"documentation":"The month"},"day":{"type":"number","description":"be a number","tags":{"description":"The day"},"documentation":"The day"}},"patternProperties":{}}],"description":"be at least one of: a string, at least one of: a number, an array of values, where each element must be a number, an object","$id":"csl-date"},"csl-person":{"_internalId":1389,"type":"anyOf","anyOf":[{"_internalId":1377,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1376,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},{"_internalId":1388,"type":"anyOf","anyOf":[{"_internalId":1386,"type":"object","description":"be an object","properties":{"family-name":{"type":"string","description":"be a string","tags":{"description":"The family name."},"documentation":"The family name."},"given-name":{"type":"string","description":"be a string","tags":{"description":"The given name."},"documentation":"The given name."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention family-name,given-name","type":"string","pattern":"(?!(^family_name$|^familyName$|^given_name$|^givenName$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":1387,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1386,"type":"object","description":"be an object","properties":{"family-name":{"type":"string","description":"be a string","tags":{"description":"The family name."},"documentation":"The family name."},"given-name":{"type":"string","description":"be a string","tags":{"description":"The given name."},"documentation":"The given name."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention family-name,given-name","type":"string","pattern":"(?!(^family_name$|^familyName$|^given_name$|^givenName$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: at least one of: a string, an array of values, where each element must be a string, at least one of: an object, an array of values, where each element must be an object","$id":"csl-person"},"csl-number":{"_internalId":1396,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","$id":"csl-number"},"csl-item-shared":{"_internalId":1694,"type":"object","description":"be an object","properties":{"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"A url to the abstract for this item."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Date the item has been accessed."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Archive storing the item"},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Collection the item is part of within an archive."},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"Geographic location of the archive."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Date the item was initially available"},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Call number (to locate the item in a library)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology)."},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"Composer (e.g. of a musical score)."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Title of the container holding the item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Short/abbreviated form of container-title;","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Director (e.g. of a film)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"The editor of the item."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Combined editor and translator of a work."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Date the event related to an item took place."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Executive producer of the item (e.g. of a television series)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A url to the full text for this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Type, class, or subtype of the item"},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"id":{"_internalId":1529,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"A value which uniquely identifies this item."},"documentation":"A value which uniquely identifies this item."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Interviewer (e.g. of an interview)."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"International Standard Serial Number."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"Issue number of the item or container holding the item"},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"Date the item was issued/published."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Keyword(s) or tag(s) attached to the item."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"The language of the item (used only for citation of the item)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"The license information applicable to an item."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"A cite-specific pinpointer within the item."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Narrator (e.g. of an audio book)."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"Number identifying the item (e.g. a report number)."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Total number of pages of the cited item."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"The original creator of a work."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Issue date of the original version."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"Title of the specific part of an item being cited."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"A url to the pdf for this item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"PubMed Central reference number."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"PubMed reference number."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"Printing number of the item or container holding the item."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"A public url for this item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"The publisher of the item."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"The geographic location of the publisher."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Recipient (e.g. of a letter)."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Author of the item reviewed by the current item."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Title of the item reviewed by the current item."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Scale of e.g. a map or model."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Creator of a series (e.g. of a television series)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Short/abbreviated form oftitle.","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Translator"},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"The type\nof the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Version of the item (e.g. “2.0.9” for a software program)."},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"Title of the volume of the item or container holding the item."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention abstract-url,accessed,annote,archive,archive-collection,archive_collection,archive-location,archive_location,archive-place,authority,available-date,call-number,chair,chapter-number,citation-key,citation-label,citation-number,collection-editor,collection-number,collection-title,compiler,composer,container-author,container-title,container-title-short,contributor,curator,dimensions,director,division,DOI,edition,editor,editorial-director,editor-translator,event,event-date,event-title,event-place,executive-producer,first-reference-note-number,fulltext-url,genre,guest,host,id,illustrator,interviewer,isbn,ISBN,issn,ISSN,issue,issued,jurisdiction,keyword,language,license,locator,medium,narrator,note,number,number-of-pages,number-of-volumes,organizer,original-author,original-date,original-publisher,original-publisher-place,original-title,page,page-first,page-last,part-number,part-title,pdf-url,performer,pmcid,PMCID,pmid,PMID,printing-number,producer,public-url,publisher,publisher-place,recipient,reviewed-author,reviewed-genre,reviewed-title,scale,script-writer,section,series-creator,source,status,submitted,supplement-number,title-short,translator,type,url,URL,version,volume,volume-title,year-suffix","type":"string","pattern":"(?!(^abstract_url$|^abstractUrl$|^archiveCollection$|^archiveCollection$|^archiveLocation$|^archiveLocation$|^archive_place$|^archivePlace$|^available_date$|^availableDate$|^call_number$|^callNumber$|^chapter_number$|^chapterNumber$|^citation_key$|^citationKey$|^citation_label$|^citationLabel$|^citation_number$|^citationNumber$|^collection_editor$|^collectionEditor$|^collection_number$|^collectionNumber$|^collection_title$|^collectionTitle$|^container_author$|^containerAuthor$|^container_title$|^containerTitle$|^container_title_short$|^containerTitleShort$|^doi$|^doi$|^editorial_director$|^editorialDirector$|^editor_translator$|^editorTranslator$|^event_date$|^eventDate$|^event_title$|^eventTitle$|^event_place$|^eventPlace$|^executive_producer$|^executiveProducer$|^first_reference_note_number$|^firstReferenceNoteNumber$|^fulltext_url$|^fulltextUrl$|^number_of_pages$|^numberOfPages$|^number_of_volumes$|^numberOfVolumes$|^original_author$|^originalAuthor$|^original_date$|^originalDate$|^original_publisher$|^originalPublisher$|^original_publisher_place$|^originalPublisherPlace$|^original_title$|^originalTitle$|^page_first$|^pageFirst$|^page_last$|^pageLast$|^part_number$|^partNumber$|^part_title$|^partTitle$|^pdf_url$|^pdfUrl$|^printing_number$|^printingNumber$|^public_url$|^publicUrl$|^publisher_place$|^publisherPlace$|^reviewed_author$|^reviewedAuthor$|^reviewed_genre$|^reviewedGenre$|^reviewed_title$|^reviewedTitle$|^script_writer$|^scriptWriter$|^series_creator$|^seriesCreator$|^supplement_number$|^supplementNumber$|^title_short$|^titleShort$|^volume_title$|^volumeTitle$|^year_suffix$|^yearSuffix$))","tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true},"$id":"csl-item-shared"},"csl-item":{"_internalId":1694,"type":"object","description":"be an object","properties":{"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"A url to the abstract for this item."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Date the item has been accessed."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Archive storing the item"},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Collection the item is part of within an archive."},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"Geographic location of the archive."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Date the item was initially available"},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Call number (to locate the item in a library)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology)."},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"Composer (e.g. of a musical score)."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Title of the container holding the item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Short/abbreviated form of container-title;","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Director (e.g. of a film)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"The editor of the item."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Combined editor and translator of a work."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Date the event related to an item took place."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Executive producer of the item (e.g. of a television series)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A url to the full text for this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Type, class, or subtype of the item"},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"id":{"_internalId":1714,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"Citation identifier for the item (e.g. \"item1\"). Will be autogenerated if not provided."},"documentation":"Citation identifier for the item (e.g. “item1”). Will be\nautogenerated if not provided."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Interviewer (e.g. of an interview)."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"International Standard Serial Number."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"Issue number of the item or container holding the item"},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"Date the item was issued/published."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Keyword(s) or tag(s) attached to the item."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"The language of the item (used only for citation of the item)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"The license information applicable to an item."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"A cite-specific pinpointer within the item."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Narrator (e.g. of an audio book)."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"Number identifying the item (e.g. a report number)."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Total number of pages of the cited item."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"The original creator of a work."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Issue date of the original version."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"Title of the specific part of an item being cited."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"A url to the pdf for this item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"PubMed Central reference number."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"PubMed reference number."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"Printing number of the item or container holding the item."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"A public url for this item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"The publisher of the item."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"The geographic location of the publisher."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Recipient (e.g. of a letter)."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Author of the item reviewed by the current item."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Title of the item reviewed by the current item."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Scale of e.g. a map or model."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Creator of a series (e.g. of a television series)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Short/abbreviated form oftitle.","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Translator"},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"The type\nof the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Version of the item (e.g. “2.0.9” for a software program)."},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"Title of the volume of the item or container holding the item."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"abstract":{"type":"string","description":"be a string","tags":{"description":"Abstract of the item (e.g. the abstract of a journal article)"},"documentation":"Abstract of the item (e.g. the abstract of a journal article)"},"author":{"_internalId":1701,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The author(s) of the item."},"documentation":"The author(s) of the item."},"doi":{"type":"string","description":"be a string","tags":{"description":"Digital Object Identifier (e.g. \"10.1128/AEM.02591-07\")"},"documentation":"Digital Object Identifier (e.g. “10.1128/AEM.02591-07”)"},"references":{"type":"string","description":"be a string","tags":{"description":{"short":"Resources related to the procedural history of a legal case or legislation.","long":"Resources related to the procedural history of a legal case or legislation;\n\nCan also be used to refer to the procedural history of other items (e.g. \n\"Conference canceled\" for a presentation accepted as a conference that was subsequently \ncanceled; details of a retraction or correction notice)\n"}},"documentation":"Resources related to the procedural history of a legal case or\nlegislation."},"title":{"type":"string","description":"be a string","tags":{"description":"The primary title of the item."},"documentation":"The primary title of the item."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true},"$id":"csl-item"},"citation-item":{"_internalId":1694,"type":"object","description":"be an object","properties":{"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"A url to the abstract for this item."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Date the item has been accessed."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Archive storing the item"},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Collection the item is part of within an archive."},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"Geographic location of the archive."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Date the item was initially available"},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Call number (to locate the item in a library)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology)."},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"Composer (e.g. of a musical score)."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Title of the container holding the item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Short/abbreviated form of container-title;","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Director (e.g. of a film)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"The editor of the item."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Combined editor and translator of a work."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Date the event related to an item took place."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Executive producer of the item (e.g. of a television series)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A url to the full text for this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Type, class, or subtype of the item"},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"id":{"_internalId":1714,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"Citation identifier for the item (e.g. \"item1\"). Will be autogenerated if not provided."},"documentation":"Citation identifier for the item (e.g. “item1”). Will be\nautogenerated if not provided."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Interviewer (e.g. of an interview)."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"International Standard Serial Number."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"Issue number of the item or container holding the item"},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"Date the item was issued/published."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Keyword(s) or tag(s) attached to the item."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"The language of the item (used only for citation of the item)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"The license information applicable to an item."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"A cite-specific pinpointer within the item."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Narrator (e.g. of an audio book)."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"Number identifying the item (e.g. a report number)."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Total number of pages of the cited item."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"The original creator of a work."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Issue date of the original version."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"Title of the specific part of an item being cited."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"A url to the pdf for this item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"PubMed Central reference number."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"PubMed reference number."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"Printing number of the item or container holding the item."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"A public url for this item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"The publisher of the item."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"The geographic location of the publisher."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Recipient (e.g. of a letter)."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Author of the item reviewed by the current item."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Title of the item reviewed by the current item."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Scale of e.g. a map or model."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Creator of a series (e.g. of a television series)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Short/abbreviated form oftitle.","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Translator"},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"The type\nof the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Version of the item (e.g. “2.0.9” for a software program)."},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"Title of the volume of the item or container holding the item."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"abstract":{"type":"string","description":"be a string","tags":{"description":"Abstract of the item (e.g. the abstract of a journal article)"},"documentation":"Abstract of the item (e.g. the abstract of a journal article)"},"author":{"_internalId":1701,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The author(s) of the item."},"documentation":"The author(s) of the item."},"doi":{"type":"string","description":"be a string","tags":{"description":"Digital Object Identifier (e.g. \"10.1128/AEM.02591-07\")"},"documentation":"Digital Object Identifier (e.g. “10.1128/AEM.02591-07”)"},"references":{"type":"string","description":"be a string","tags":{"description":{"short":"Resources related to the procedural history of a legal case or legislation.","long":"Resources related to the procedural history of a legal case or legislation;\n\nCan also be used to refer to the procedural history of other items (e.g. \n\"Conference canceled\" for a presentation accepted as a conference that was subsequently \ncanceled; details of a retraction or correction notice)\n"}},"documentation":"Resources related to the procedural history of a legal case or\nlegislation."},"title":{"type":"string","description":"be a string","tags":{"description":"The primary title of the item."},"documentation":"The primary title of the item."},"article-id":{"_internalId":1735,"type":"anyOf","anyOf":[{"_internalId":1733,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1732,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier"},"documentation":"The type of identifier"},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"},{"_internalId":1734,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":1733,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1732,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier"},"documentation":"The type of identifier"},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"The unique identifier for this article."},"documentation":"The unique identifier for this article."},"elocation-id":{"type":"string","description":"be a string","tags":{"description":"Bibliographic identifier for a document that does not have traditional printed page numbers."},"documentation":"Bibliographic identifier for a document that does not have\ntraditional printed page numbers."},"eissn":{"type":"string","description":"be a string","tags":{"description":"Electronic International Standard Serial Number."},"documentation":"Electronic International Standard Serial Number."},"pissn":{"type":"string","description":"be a string","tags":{"description":"Print International Standard Serial Number."},"documentation":"Print International Standard Serial Number."},"art-access-id":{"type":"string","description":"be a string","tags":{"description":"Generic article accession identifier."},"documentation":"Generic article accession identifier."},"publisher-location":{"type":"string","description":"be a string","tags":{"description":"The location of the publisher of this item."},"documentation":"The location of the publisher of this item."},"subject":{"type":"string","description":"be a string","tags":{"description":"The name of a subject or topic describing the article."},"documentation":"The name of a subject or topic describing the article."},"categories":{"_internalId":1753,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"A list of subjects or topics describing the article."},"documentation":"A list of subjects or topics describing the article."},{"_internalId":1752,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"A list of subjects or topics describing the article."},"documentation":"A list of subjects or topics describing the article."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"container-id":{"_internalId":1769,"type":"anyOf","anyOf":[{"_internalId":1767,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1766,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier (e.g. `nlm-ta` or `pmc`)."},"documentation":"The type of identifier (e.g. nlm-ta or\npmc)."},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"},{"_internalId":1768,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":1767,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1766,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier (e.g. `nlm-ta` or `pmc`)."},"documentation":"The type of identifier (e.g. nlm-ta or\npmc)."},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":{"short":"External identifier of a publication or journal.","long":"External identifier, typically assigned to a journal by \na publisher, archive, or library to provide a unique identifier for \nthe journal or publication.\n"}},"documentation":"External identifier of a publication or journal."},"jats-type":{"type":"string","description":"be a string","tags":{"description":"The type used for the JATS `article` tag."},"documentation":"The type used for the JATS article tag."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true},"$id":"citation-item"},"smart-include":{"_internalId":1787,"type":"anyOf","anyOf":[{"_internalId":1781,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"Textual content to add to includes"},"documentation":"Textual content to add to includes"}},"patternProperties":{},"required":["text"],"closed":true},{"_internalId":1786,"type":"object","description":"be an object","properties":{"file":{"type":"string","description":"be a string","tags":{"description":"Name of file with content to add to includes"},"documentation":"Name of file with content to add to includes"}},"patternProperties":{},"required":["file"],"closed":true}],"description":"be at least one of: an object, an object","$id":"smart-include"},"semver":{"_internalId":1790,"type":"string","pattern":"^(0|[1-9]\\d*)\\.(0|[1-9]\\d*)\\.(0|[1-9]\\d*)(?:-((?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*)(?:\\.(?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*))*))?(?:\\+([0-9a-zA-Z-]+(?:\\.[0-9a-zA-Z-]+)*))?$","description":"be a string that satisfies regex \"^(0|[1-9]\\d*)\\.(0|[1-9]\\d*)\\.(0|[1-9]\\d*)(?:-((?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*)(?:\\.(?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*))*))?(?:\\+([0-9a-zA-Z-]+(?:\\.[0-9a-zA-Z-]+)*))?$\"","$id":"semver","tags":{"description":"Version number according to Semantic Versioning"},"documentation":"Version number according to Semantic Versioning"},"quarto-date":{"_internalId":1802,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1801,"type":"object","description":"be an object","properties":{"format":{"type":"string","description":"be a string"},"value":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["value"],"closed":true}],"description":"be at least one of: a string, an object","$id":"quarto-date"},"project-profile":{"_internalId":1822,"type":"object","description":"be an object","properties":{"default":{"_internalId":1812,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1811,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Default profile to apply if QUARTO_PROFILE is not defined.\n"},"documentation":"Default profile to apply if QUARTO_PROFILE is not defined."},"group":{"_internalId":1821,"type":"anyOf","anyOf":[{"_internalId":1819,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},{"_internalId":1820,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":1819,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}}],"description":"be at least one of: an array of values, where each element must be a string, an array of values, where each element must be an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Define a profile group for which at least one profile is always active.\n"},"documentation":"Define a profile group for which at least one profile is always\nactive."}},"patternProperties":{},"closed":true,"$id":"project-profile","tags":{"description":"Specify a default profile and profile groups"},"documentation":"Specify a default profile and profile groups"},"bad-parse-schema":{"_internalId":1830,"type":"object","description":"be an object","properties":{},"patternProperties":{},"propertyNames":{"_internalId":1829,"type":"string","pattern":"^[^\\s]+$","description":"be a string that satisfies regex \"^[^\\s]+$\""},"$id":"bad-parse-schema"},"quarto-dev-schema":{"_internalId":1844,"type":"object","description":"be an object","properties":{"_quarto":{"_internalId":1843,"type":"object","description":"be an object","properties":{"trace-filters":{"type":"string","description":"be a string"},"tests":{"_internalId":1839,"type":"object","description":"be an object","properties":{},"patternProperties":{}},"tests-on-ci":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention trace-filters,tests,tests-on-ci","type":"string","pattern":"(?!(^trace_filters$|^traceFilters$|^tests_on_ci$|^testsOnCi$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true,"hidden":true},"completions":[]}},"patternProperties":{},"$id":"quarto-dev-schema"},"notebook-view-schema":{"_internalId":1862,"type":"object","description":"be an object","properties":{"notebook":{"type":"string","description":"be a string","tags":{"description":"The path to the locally referenced notebook."},"documentation":"The path to the locally referenced notebook."},"title":{"_internalId":1857,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The title of the notebook when viewed."},"documentation":"The title of the notebook when viewed."},"url":{"type":"string","description":"be a string","tags":{"description":"The url to use when viewing this notebook."},"documentation":"The url to use when viewing this notebook."},"download-url":{"type":"string","description":"be a string","tags":{"description":"The url to use when downloading the notebook from the preview"},"documentation":"The url to use when downloading the notebook from the preview"}},"patternProperties":{},"required":["notebook"],"propertyNames":{"errorMessage":"property ${value} does not match case convention notebook,title,url,download-url","type":"string","pattern":"(?!(^download_url$|^downloadUrl$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"notebook-view-schema"},"code-links-schema":{"_internalId":1892,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1891,"type":"anyOf","anyOf":[{"_internalId":1889,"type":"anyOf","anyOf":[{"_internalId":1885,"type":"object","description":"be an object","properties":{"icon":{"type":"string","description":"be a string","tags":{"description":"The bootstrap icon for this code link."},"documentation":"The bootstrap icon for this code link."},"text":{"type":"string","description":"be a string","tags":{"description":"The text for this code link."},"documentation":"The text for this code link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for this code link."},"documentation":"The href for this code link."},"rel":{"type":"string","description":"be a string","tags":{"description":"The rel used in the `a` tag for this code link."},"documentation":"The rel used in the a tag for this code link."},"target":{"type":"string","description":"be a string","tags":{"description":"The target used in the `a` tag for this code link."},"documentation":"The target used in the a tag for this code link."}},"patternProperties":{}},{"_internalId":1888,"type":"enum","enum":["repo","binder","devcontainer"],"description":"be one of: `repo`, `binder`, `devcontainer`","completions":["repo","binder","devcontainer"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, one of: `repo`, `binder`, `devcontainer`"},{"_internalId":1890,"type":"array","description":"be an array of values, where each element must be at least one of: an object, one of: `repo`, `binder`, `devcontainer`","items":{"_internalId":1889,"type":"anyOf","anyOf":[{"_internalId":1885,"type":"object","description":"be an object","properties":{"icon":{"type":"string","description":"be a string","tags":{"description":"The bootstrap icon for this code link."},"documentation":"The bootstrap icon for this code link."},"text":{"type":"string","description":"be a string","tags":{"description":"The text for this code link."},"documentation":"The text for this code link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for this code link."},"documentation":"The href for this code link."},"rel":{"type":"string","description":"be a string","tags":{"description":"The rel used in the `a` tag for this code link."},"documentation":"The rel used in the a tag for this code link."},"target":{"type":"string","description":"be a string","tags":{"description":"The target used in the `a` tag for this code link."},"documentation":"The target used in the a tag for this code link."}},"patternProperties":{}},{"_internalId":1888,"type":"enum","enum":["repo","binder","devcontainer"],"description":"be one of: `repo`, `binder`, `devcontainer`","completions":["repo","binder","devcontainer"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, one of: `repo`, `binder`, `devcontainer`"}}],"description":"be at least one of: at least one of: an object, one of: `repo`, `binder`, `devcontainer`, an array of values, where each element must be at least one of: an object, one of: `repo`, `binder`, `devcontainer`","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: an object, one of: `repo`, `binder`, `devcontainer`, an array of values, where each element must be at least one of: an object, one of: `repo`, `binder`, `devcontainer`","$id":"code-links-schema"},"manuscript-schema":{"_internalId":1940,"type":"object","description":"be an object","properties":{"article":{"type":"string","description":"be a string","tags":{"description":"The input document that will serve as the root document for this manuscript"},"documentation":"The input document that will serve as the root document for this\nmanuscript"},"code-links":{"_internalId":1903,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema","tags":{"description":"Code links to display for this manuscript."},"documentation":"Code links to display for this manuscript."},"manuscript-url":{"type":"string","description":"be a string","tags":{"description":"The deployed url for this manuscript"},"documentation":"The deployed url for this manuscript"},"meca-bundle":{"_internalId":1912,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"description":"Whether to generate a MECA bundle for this manuscript"},"documentation":"Whether to generate a MECA bundle for this manuscript"},"notebooks":{"_internalId":1923,"type":"array","description":"be an array of values, where each element must be at least one of: a string, notebook-view-schema","items":{"_internalId":1922,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1921,"type":"ref","$ref":"notebook-view-schema","description":"be notebook-view-schema"}],"description":"be at least one of: a string, notebook-view-schema"}},"resources":{"_internalId":1931,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Additional file resources to be copied to output directory"},{"_internalId":1930,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Additional file resources to be copied to output directory"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"environment":{"_internalId":1939,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Files that specify the execution environment (e.g. renv.lock, requirements.text, etc...)"},"documentation":"Files that specify the execution environment (e.g. renv.lock,\nrequirements.text, etc…)"},{"_internalId":1938,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Files that specify the execution environment (e.g. renv.lock, requirements.text, etc...)"},"documentation":"Files that specify the execution environment (e.g. renv.lock,\nrequirements.text, etc…)"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true,"$id":"manuscript-schema"},"brand-meta":{"_internalId":1977,"type":"object","description":"be an object","properties":{"name":{"_internalId":1954,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1953,"type":"object","description":"be an object","properties":{"full":{"type":"string","description":"be a string","tags":{"description":"The full, official or legal name of the company or brand."},"documentation":"The full, official or legal name of the company or brand."},"short":{"type":"string","description":"be a string","tags":{"description":"The short, informal, or common name of the company or brand."},"documentation":"The short, informal, or common name of the company or brand."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The brand name."},"documentation":"The brand name."},"link":{"_internalId":1976,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1975,"type":"object","description":"be an object","properties":{"home":{"type":"string","description":"be a string","tags":{"description":"The brand's home page or website."},"documentation":"The brand’s home page or website."},"mastodon":{"type":"string","description":"be a string","tags":{"description":"The brand's Mastodon URL."},"documentation":"The brand’s Mastodon URL."},"bluesky":{"type":"string","description":"be a string","tags":{"description":"The brand's Bluesky URL."},"documentation":"The brand’s Bluesky URL."},"github":{"type":"string","description":"be a string","tags":{"description":"The brand's GitHub URL."},"documentation":"The brand’s GitHub URL."},"linkedin":{"type":"string","description":"be a string","tags":{"description":"The brand's LinkedIn URL."},"documentation":"The brand’s LinkedIn URL."},"twitter":{"type":"string","description":"be a string","tags":{"description":"The brand's Twitter URL."},"documentation":"The brand’s Twitter URL."},"facebook":{"type":"string","description":"be a string","tags":{"description":"The brand's Facebook URL."},"documentation":"The brand’s Facebook URL."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Important links for the brand, including social media links. If a single string, it is the brand's home page or website. Additional fields are allowed for internal use.\n"},"documentation":"Important links for the brand, including social media links. If a\nsingle string, it is the brand’s home page or website. Additional fields\nare allowed for internal use."}},"patternProperties":{},"$id":"brand-meta","tags":{"description":"Metadata for a brand, including the brand name and important links.\n"},"documentation":"Metadata for a brand, including the brand name and important\nlinks."},"brand-string-light-dark":{"_internalId":1993,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1992,"type":"object","description":"be an object","properties":{"light":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's light-colored logo or icon.\n"},"documentation":"A link or path to the brand’s light-colored logo or icon."},"dark":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's dark-colored logo or icon.\n"},"documentation":"A link or path to the brand’s dark-colored logo or icon."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-string-light-dark"},"brand-logo-explicit-resource":{"_internalId":2002,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for the logo, used for accessibility.\n"},"documentation":"Alternative text for the logo, used for accessibility."}},"patternProperties":{},"required":["path"],"closed":true,"$id":"brand-logo-explicit-resource"},"brand-logo-resource":{"_internalId":2010,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2009,"type":"ref","$ref":"brand-logo-explicit-resource","description":"be brand-logo-explicit-resource"}],"description":"be at least one of: a string, brand-logo-explicit-resource","$id":"brand-logo-resource"},"brand-logo-single":{"_internalId":2035,"type":"object","description":"be an object","properties":{"images":{"_internalId":2022,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2021,"type":"ref","$ref":"brand-logo-resource","description":"be brand-logo-resource"},"tags":{"description":"A dictionary of named logo resources."},"documentation":"A dictionary of named logo resources."},"small":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's small-sized logo or icon.\n"},"documentation":"A link or path to the brand’s small-sized logo or icon."},"medium":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's medium-sized logo.\n"},"documentation":"A link or path to the brand’s medium-sized logo."},"large":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's large- or full-sized logo.\n"},"documentation":"A link or path to the brand’s large- or full-sized logo."}},"patternProperties":{},"closed":true,"$id":"brand-logo-single","tags":{"description":"Provide definitions and defaults for brand's logo in various formats and sizes.\n"},"documentation":"Provide definitions and defaults for brand’s logo in various formats\nand sizes."},"brand-logo-unified":{"_internalId":2063,"type":"object","description":"be an object","properties":{"images":{"_internalId":2047,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2046,"type":"ref","$ref":"brand-logo-resource","description":"be brand-logo-resource"},"tags":{"description":"A dictionary of named logo resources."},"documentation":"A dictionary of named logo resources."},"small":{"_internalId":2052,"type":"ref","$ref":"brand-string-light-dark","description":"be brand-string-light-dark","tags":{"description":"A link or path to the brand's small-sized logo or icon, or a link or path to both the light and dark versions.\n"},"documentation":"A link or path to the brand’s small-sized logo or icon, or a link or\npath to both the light and dark versions."},"medium":{"_internalId":2057,"type":"ref","$ref":"brand-string-light-dark","description":"be brand-string-light-dark","tags":{"description":"A link or path to the brand's medium-sized logo, or a link or path to both the light and dark versions.\n"},"documentation":"A link or path to the brand’s medium-sized logo, or a link or path to\nboth the light and dark versions."},"large":{"_internalId":2062,"type":"ref","$ref":"brand-string-light-dark","description":"be brand-string-light-dark","tags":{"description":"A link or path to the brand's large- or full-sized logo, or a link or path to both the light and dark versions.\n"},"documentation":"A link or path to the brand’s large- or full-sized logo, or a link or\npath to both the light and dark versions."}},"patternProperties":{},"closed":true,"$id":"brand-logo-unified","tags":{"description":"Provide definitions and defaults for brand's logo in various formats and sizes.\n"},"documentation":"Provide definitions and defaults for brand’s logo in various formats\nand sizes."},"brand-named-logo":{"_internalId":2066,"type":"enum","enum":["small","medium","large"],"description":"be one of: `small`, `medium`, `large`","completions":["small","medium","large"],"exhaustiveCompletions":true,"$id":"brand-named-logo","tags":{"description":"Names of customizeable logos"},"documentation":"Names of customizeable logos"},"logo-options":{"_internalId":2077,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path or brand.yml logo resource name.\n"},"documentation":"Path or brand.yml logo resource name."},"alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for the logo, used for accessibility.\n"},"documentation":"Alternative text for the logo, used for accessibility."}},"patternProperties":{},"required":["path"],"$id":"logo-options"},"logo-specifier":{"_internalId":2087,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2086,"type":"ref","$ref":"logo-options","description":"be logo-options"}],"description":"be at least one of: a string, logo-options","$id":"logo-specifier"},"logo-options-path-optional":{"_internalId":2098,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path or brand.yml logo resource name.\n"},"documentation":"Path or brand.yml logo resource name."},"alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for the logo, used for accessibility.\n"},"documentation":"Alternative text for the logo, used for accessibility."}},"patternProperties":{},"$id":"logo-options-path-optional"},"logo-specifier-path-optional":{"_internalId":2108,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2107,"type":"ref","$ref":"logo-options-path-optional","description":"be logo-options-path-optional"}],"description":"be at least one of: a string, logo-options-path-optional","$id":"logo-specifier-path-optional"},"logo-light-dark-specifier":{"_internalId":2127,"type":"anyOf","anyOf":[{"_internalId":2113,"type":"ref","$ref":"logo-specifier","description":"be logo-specifier"},{"_internalId":2126,"type":"object","description":"be an object","properties":{"light":{"_internalId":2120,"type":"ref","$ref":"logo-specifier","description":"be logo-specifier","tags":{"description":"Specification of a light logo\n"},"documentation":"Specification of a light logo"},"dark":{"_internalId":2125,"type":"ref","$ref":"logo-specifier","description":"be logo-specifier","tags":{"description":"Specification of a dark logo\n"},"documentation":"Specification of a dark logo"}},"patternProperties":{},"closed":true}],"description":"be at least one of: logo-specifier, an object","$id":"logo-light-dark-specifier","tags":{"description":"Any of the ways a logo can be specified: string, object, or light/dark object of string or object\n"},"documentation":"Any of the ways a logo can be specified: string, object, or\nlight/dark object of string or object"},"logo-light-dark-specifier-path-optional":{"_internalId":2146,"type":"anyOf","anyOf":[{"_internalId":2132,"type":"ref","$ref":"logo-specifier-path-optional","description":"be logo-specifier-path-optional"},{"_internalId":2145,"type":"object","description":"be an object","properties":{"light":{"_internalId":2139,"type":"ref","$ref":"logo-specifier-path-optional","description":"be logo-specifier-path-optional","tags":{"description":"Specification of a light logo\n"},"documentation":"Specification of a light logo"},"dark":{"_internalId":2144,"type":"ref","$ref":"logo-specifier-path-optional","description":"be logo-specifier-path-optional","tags":{"description":"Specification of a dark logo\n"},"documentation":"Specification of a dark logo"}},"patternProperties":{},"closed":true}],"description":"be at least one of: logo-specifier-path-optional, an object","$id":"logo-light-dark-specifier-path-optional","tags":{"description":"Any of the ways a logo can be specified: string, object, or light/dark object of string or object\n"},"documentation":"Any of the ways a logo can be specified: string, object, or\nlight/dark object of string or object"},"normalized-logo-light-dark-specifier":{"_internalId":2159,"type":"object","description":"be an object","properties":{"light":{"_internalId":2153,"type":"ref","$ref":"logo-options","description":"be logo-options","tags":{"description":"Options for a light logo\n"},"documentation":"Options for a light logo"},"dark":{"_internalId":2158,"type":"ref","$ref":"logo-options","description":"be logo-options","tags":{"description":"Options for a dark logo\n"},"documentation":"Options for a dark logo"}},"patternProperties":{},"closed":true,"$id":"normalized-logo-light-dark-specifier","tags":{"description":"Any of the ways a logo can be specified: string, object, or light/dark object of string or object\n"},"documentation":"Any of the ways a logo can be specified: string, object, or\nlight/dark object of string or object"},"brand-color-value":{"type":"string","description":"be a string","$id":"brand-color-value"},"brand-color-single":{"_internalId":2234,"type":"object","description":"be an object","properties":{"palette":{"_internalId":2173,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2172,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value"},"tags":{"description":"The brand's custom color palette. Any number of colors can be defined, each color having a custom name.\n"},"documentation":"The brand’s custom color palette. Any number of colors can be\ndefined, each color having a custom name."},"foreground":{"_internalId":2178,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The foreground color, used for text."},"documentation":"The foreground color, used for text."},"background":{"_internalId":2183,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The background color, used for the page background."},"documentation":"The background color, used for the page background."},"primary":{"_internalId":2188,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The primary accent color, i.e. the main theme color. Typically used for hyperlinks, active states, primary action buttons, etc.\n"},"documentation":"The primary accent color, i.e. the main theme color. Typically used\nfor hyperlinks, active states, primary action buttons, etc."},"secondary":{"_internalId":2193,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The secondary accent color. Typically used for lighter text or disabled states.\n"},"documentation":"The secondary accent color. Typically used for lighter text or\ndisabled states."},"tertiary":{"_internalId":2198,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The tertiary accent color. Typically an even lighter color, used for hover states, accents, and wells.\n"},"documentation":"The tertiary accent color. Typically an even lighter color, used for\nhover states, accents, and wells."},"success":{"_internalId":2203,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for positive or successful actions and information."},"documentation":"The color used for positive or successful actions and\ninformation."},"info":{"_internalId":2208,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for neutral or informational actions and information."},"documentation":"The color used for neutral or informational actions and\ninformation."},"warning":{"_internalId":2213,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for warning or cautionary actions and information."},"documentation":"The color used for warning or cautionary actions and information."},"danger":{"_internalId":2218,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for errors, dangerous actions, or negative information."},"documentation":"The color used for errors, dangerous actions, or negative\ninformation."},"light":{"_internalId":2223,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A bright color, used as a high-contrast foreground color on dark elements or low-contrast background color on light elements.\n"},"documentation":"A bright color, used as a high-contrast foreground color on dark\nelements or low-contrast background color on light elements."},"dark":{"_internalId":2228,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A dark color, used as a high-contrast foreground color on light elements or high-contrast background color on light elements.\n"},"documentation":"A dark color, used as a high-contrast foreground color on light\nelements or high-contrast background color on light elements."},"link":{"_internalId":2233,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for hyperlinks. If not defined, the `primary` color is used.\n"},"documentation":"The color used for hyperlinks. If not defined, the\nprimary color is used."}},"patternProperties":{},"closed":true,"$id":"brand-color-single","tags":{"description":"The brand's custom color palette and theme.\n"},"documentation":"The brand’s custom color palette and theme."},"brand-color-light-dark":{"_internalId":2253,"type":"anyOf","anyOf":[{"_internalId":2239,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value"},{"_internalId":2252,"type":"object","description":"be an object","properties":{"light":{"_internalId":2246,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A link or path to the brand's light-colored logo or icon.\n"},"documentation":"A link or path to the brand’s light-colored logo or icon."},"dark":{"_internalId":2251,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A link or path to the brand's dark-colored logo or icon.\n"},"documentation":"A link or path to the brand’s dark-colored logo or icon."}},"patternProperties":{},"closed":true}],"description":"be at least one of: brand-color-value, an object","$id":"brand-color-light-dark"},"brand-color-unified":{"_internalId":2324,"type":"object","description":"be an object","properties":{"palette":{"_internalId":2263,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2262,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value"},"tags":{"description":"The brand's custom color palette. Any number of colors can be defined, each color having a custom name.\n"},"documentation":"The brand’s custom color palette. Any number of colors can be\ndefined, each color having a custom name."},"foreground":{"_internalId":2268,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The foreground color, used for text."},"documentation":"The foreground color, used for text."},"background":{"_internalId":2273,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The background color, used for the page background."},"documentation":"The background color, used for the page background."},"primary":{"_internalId":2278,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The primary accent color, i.e. the main theme color. Typically used for hyperlinks, active states, primary action buttons, etc.\n"},"documentation":"The primary accent color, i.e. the main theme color. Typically used\nfor hyperlinks, active states, primary action buttons, etc."},"secondary":{"_internalId":2283,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The secondary accent color. Typically used for lighter text or disabled states.\n"},"documentation":"The secondary accent color. Typically used for lighter text or\ndisabled states."},"tertiary":{"_internalId":2288,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The tertiary accent color. Typically an even lighter color, used for hover states, accents, and wells.\n"},"documentation":"The tertiary accent color. Typically an even lighter color, used for\nhover states, accents, and wells."},"success":{"_internalId":2293,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for positive or successful actions and information."},"documentation":"The color used for positive or successful actions and\ninformation."},"info":{"_internalId":2298,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for neutral or informational actions and information."},"documentation":"The color used for neutral or informational actions and\ninformation."},"warning":{"_internalId":2303,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for warning or cautionary actions and information."},"documentation":"The color used for warning or cautionary actions and information."},"danger":{"_internalId":2308,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for errors, dangerous actions, or negative information."},"documentation":"The color used for errors, dangerous actions, or negative\ninformation."},"light":{"_internalId":2313,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"A bright color, used as a high-contrast foreground color on dark elements or low-contrast background color on light elements.\n"},"documentation":"A bright color, used as a high-contrast foreground color on dark\nelements or low-contrast background color on light elements."},"dark":{"_internalId":2318,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"A dark color, used as a high-contrast foreground color on light elements or high-contrast background color on light elements.\n"},"documentation":"A dark color, used as a high-contrast foreground color on light\nelements or high-contrast background color on light elements."},"link":{"_internalId":2323,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for hyperlinks. If not defined, the `primary` color is used.\n"},"documentation":"The color used for hyperlinks. If not defined, the\nprimary color is used."}},"patternProperties":{},"closed":true,"$id":"brand-color-unified","tags":{"description":"The brand's custom color palette and theme.\n"},"documentation":"The brand’s custom color palette and theme."},"brand-maybe-named-color":{"_internalId":2334,"type":"anyOf","anyOf":[{"_internalId":2329,"type":"ref","$ref":"brand-named-theme-color","description":"be brand-named-theme-color"},{"type":"string","description":"be a string"}],"description":"be at least one of: brand-named-theme-color, a string","$id":"brand-maybe-named-color","tags":{"description":"A color, which may be a named brand color.\n"},"documentation":"A color, which may be a named brand color."},"brand-maybe-named-color-light-dark":{"_internalId":2353,"type":"anyOf","anyOf":[{"_internalId":2339,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},{"_internalId":2352,"type":"object","description":"be an object","properties":{"light":{"_internalId":2346,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color","tags":{"description":"A link or path to the brand's light-colored logo or icon.\n"},"documentation":"A link or path to the brand’s light-colored logo or icon."},"dark":{"_internalId":2351,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color","tags":{"description":"A link or path to the brand's dark-colored logo or icon.\n"},"documentation":"A link or path to the brand’s dark-colored logo or icon."}},"patternProperties":{},"closed":true}],"description":"be at least one of: brand-maybe-named-color, an object","$id":"brand-maybe-named-color-light-dark"},"brand-named-theme-color":{"_internalId":2356,"type":"enum","enum":["foreground","background","primary","secondary","tertiary","success","info","warning","danger","light","dark","link"],"description":"be one of: `foreground`, `background`, `primary`, `secondary`, `tertiary`, `success`, `info`, `warning`, `danger`, `light`, `dark`, `link`","completions":["foreground","background","primary","secondary","tertiary","success","info","warning","danger","light","dark","link"],"exhaustiveCompletions":true,"$id":"brand-named-theme-color","tags":{"description":"A named brand color, taken either from `color.theme` or `color.palette` (in that order).\n"},"documentation":"A named brand color, taken either from color.theme or\ncolor.palette (in that order)."},"brand-typography-single":{"_internalId":2383,"type":"object","description":"be an object","properties":{"fonts":{"_internalId":2364,"type":"array","description":"be an array of values, where each element must be brand-font","items":{"_internalId":2363,"type":"ref","$ref":"brand-font","description":"be brand-font"},"tags":{"description":"Font files and definitions for the brand."},"documentation":"Font files and definitions for the brand."},"base":{"_internalId":2367,"type":"ref","$ref":"brand-typography-options-base","description":"be brand-typography-options-base","tags":{"description":"The base font settings for the brand. These are used as the default for all text.\n"},"documentation":"The base font settings for the brand. These are used as the default\nfor all text."},"headings":{"_internalId":2370,"type":"ref","$ref":"brand-typography-options-headings-single","description":"be brand-typography-options-headings-single","tags":{"description":"Settings for headings, or a string specifying the font family only."},"documentation":"Settings for headings, or a string specifying the font family\nonly."},"monospace":{"_internalId":2373,"type":"ref","$ref":"brand-typography-options-monospace-single","description":"be brand-typography-options-monospace-single","tags":{"description":"Settings for monospace text, or a string specifying the font family only."},"documentation":"Settings for monospace text, or a string specifying the font family\nonly."},"monospace-inline":{"_internalId":2376,"type":"ref","$ref":"brand-typography-options-monospace-inline-single","description":"be brand-typography-options-monospace-inline-single","tags":{"description":"Settings for inline code, or a string specifying the font family only."},"documentation":"Settings for inline code, or a string specifying the font family\nonly."},"monospace-block":{"_internalId":2379,"type":"ref","$ref":"brand-typography-options-monospace-block-single","description":"be brand-typography-options-monospace-block-single","tags":{"description":"Settings for code blocks, or a string specifying the font family only."},"documentation":"Settings for code blocks, or a string specifying the font family\nonly."},"link":{"_internalId":2382,"type":"ref","$ref":"brand-typography-options-link-single","description":"be brand-typography-options-link-single","tags":{"description":"Settings for links."},"documentation":"Settings for links."}},"patternProperties":{},"closed":true,"$id":"brand-typography-single","tags":{"description":"Typography definitions for the brand."},"documentation":"Typography definitions for the brand."},"brand-typography-unified":{"_internalId":2410,"type":"object","description":"be an object","properties":{"fonts":{"_internalId":2391,"type":"array","description":"be an array of values, where each element must be brand-font","items":{"_internalId":2390,"type":"ref","$ref":"brand-font","description":"be brand-font"},"tags":{"description":"Font files and definitions for the brand."},"documentation":"Font files and definitions for the brand."},"base":{"_internalId":2394,"type":"ref","$ref":"brand-typography-options-base","description":"be brand-typography-options-base","tags":{"description":"The base font settings for the brand. These are used as the default for all text.\n"},"documentation":"The base font settings for the brand. These are used as the default\nfor all text."},"headings":{"_internalId":2397,"type":"ref","$ref":"brand-typography-options-headings-unified","description":"be brand-typography-options-headings-unified","tags":{"description":"Settings for headings, or a string specifying the font family only."},"documentation":"Settings for headings, or a string specifying the font family\nonly."},"monospace":{"_internalId":2400,"type":"ref","$ref":"brand-typography-options-monospace-unified","description":"be brand-typography-options-monospace-unified","tags":{"description":"Settings for monospace text, or a string specifying the font family only."},"documentation":"Settings for monospace text, or a string specifying the font family\nonly."},"monospace-inline":{"_internalId":2403,"type":"ref","$ref":"brand-typography-options-monospace-inline-unified","description":"be brand-typography-options-monospace-inline-unified","tags":{"description":"Settings for inline code, or a string specifying the font family only."},"documentation":"Settings for inline code, or a string specifying the font family\nonly."},"monospace-block":{"_internalId":2406,"type":"ref","$ref":"brand-typography-options-monospace-block-unified","description":"be brand-typography-options-monospace-block-unified","tags":{"description":"Settings for code blocks, or a string specifying the font family only."},"documentation":"Settings for code blocks, or a string specifying the font family\nonly."},"link":{"_internalId":2409,"type":"ref","$ref":"brand-typography-options-link-unified","description":"be brand-typography-options-link-unified","tags":{"description":"Settings for links."},"documentation":"Settings for links."}},"patternProperties":{},"closed":true,"$id":"brand-typography-unified","tags":{"description":"Typography definitions for the brand."},"documentation":"Typography definitions for the brand."},"brand-typography-options-base":{"_internalId":2428,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2427,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2423,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"line-height":{"_internalId":2426,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-base","tags":{"description":"Base typographic options."},"documentation":"Base typographic options."},"brand-typography-options-headings-single":{"_internalId":2450,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2449,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"weight":{"_internalId":2439,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"style":{"_internalId":2442,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},"color":{"_internalId":2445,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"line-height":{"_internalId":2448,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-headings-single","tags":{"description":"Typographic options for headings."},"documentation":"Typographic options for headings."},"brand-typography-options-headings-unified":{"_internalId":2472,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2471,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"weight":{"_internalId":2461,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"style":{"_internalId":2464,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},"color":{"_internalId":2467,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"line-height":{"_internalId":2470,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-headings-unified","tags":{"description":"Typographic options for headings."},"documentation":"Typographic options for headings."},"brand-typography-options-monospace-single":{"_internalId":2493,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2492,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2485,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2488,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2491,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-single","tags":{"description":"Typographic options for monospace elements."},"documentation":"Typographic options for monospace elements."},"brand-typography-options-monospace-unified":{"_internalId":2514,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2513,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2506,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2509,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2512,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-unified","tags":{"description":"Typographic options for monospace elements."},"documentation":"Typographic options for monospace elements."},"brand-typography-options-monospace-inline-single":{"_internalId":2535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2534,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2527,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2530,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2533,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-inline-single","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"Typographic options for inline monospace elements."},"brand-typography-options-monospace-inline-unified":{"_internalId":2556,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2555,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2548,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2551,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2554,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-inline-unified","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"Typographic options for inline monospace elements."},"line-height-number-string":{"_internalId":2563,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","$id":"line-height-number-string","tags":{"description":"Line height"},"documentation":"Line height"},"brand-typography-options-monospace-block-single":{"_internalId":2587,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2586,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2576,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2579,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2582,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"line-height":{"_internalId":2585,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-block-single","tags":{"description":"Typographic options for block monospace elements."},"documentation":"Typographic options for block monospace elements."},"brand-typography-options-monospace-block-unified":{"_internalId":2611,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2610,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2600,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2603,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2606,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"line-height":{"_internalId":2609,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-block-unified","tags":{"description":"Typographic options for block monospace elements."},"documentation":"Typographic options for block monospace elements."},"brand-typography-options-link-single":{"_internalId":2630,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2629,"type":"object","description":"be an object","properties":{"weight":{"_internalId":2620,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2623,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2626,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"decoration":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-link-single","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"Typographic options for inline monospace elements."},"brand-typography-options-link-unified":{"_internalId":2649,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2648,"type":"object","description":"be an object","properties":{"weight":{"_internalId":2639,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2642,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2645,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"decoration":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-link-unified","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"Typographic options for inline monospace elements."},"brand-named-typography-elements":{"_internalId":2652,"type":"enum","enum":["base","headings","monospace","monospace-inline","monospace-block","link"],"description":"be one of: `base`, `headings`, `monospace`, `monospace-inline`, `monospace-block`, `link`","completions":["base","headings","monospace","monospace-inline","monospace-block","link"],"exhaustiveCompletions":true,"$id":"brand-named-typography-elements","tags":{"description":"Names of customizeable typography elements"},"documentation":"Names of customizeable typography elements"},"brand-font":{"_internalId":2667,"type":"anyOf","anyOf":[{"_internalId":2657,"type":"ref","$ref":"brand-font-google","description":"be brand-font-google"},{"_internalId":2660,"type":"ref","$ref":"brand-font-bunny","description":"be brand-font-bunny"},{"_internalId":2663,"type":"ref","$ref":"brand-font-file","description":"be brand-font-file"},{"_internalId":2666,"type":"ref","$ref":"brand-font-system","description":"be brand-font-system"}],"description":"be at least one of: brand-font-google, brand-font-bunny, brand-font-file, brand-font-system","$id":"brand-font","tags":{"description":"Font files and definitions for the brand."},"documentation":"Font files and definitions for the brand."},"brand-font-weight":{"_internalId":2670,"type":"enum","enum":[100,200,300,400,500,600,700,800,900,"thin","extra-light","ultra-light","light","normal","regular","medium","semi-bold","demi-bold","bold","extra-bold","ultra-bold","black"],"description":"be one of: `100`, `200`, `300`, `400`, `500`, `600`, `700`, `800`, `900`, `thin`, `extra-light`, `ultra-light`, `light`, `normal`, `regular`, `medium`, `semi-bold`, `demi-bold`, `bold`, `extra-bold`, `ultra-bold`, `black`","completions":["100","200","300","400","500","600","700","800","900","thin","extra-light","ultra-light","light","normal","regular","medium","semi-bold","demi-bold","bold","extra-bold","ultra-bold","black"],"exhaustiveCompletions":true,"$id":"brand-font-weight","tags":{"description":"A font weight."},"documentation":"A font weight."},"brand-font-style":{"_internalId":2673,"type":"enum","enum":["normal","italic","oblique"],"description":"be one of: `normal`, `italic`, `oblique`","completions":["normal","italic","oblique"],"exhaustiveCompletions":true,"$id":"brand-font-style","tags":{"description":"A font style."},"documentation":"A font style."},"brand-font-common":{"_internalId":2699,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"The font family name, which must match the name of the font on the\nfoundry website."},"weight":{"_internalId":2688,"type":"anyOf","anyOf":[{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2687,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font weights to include."},"style":{"_internalId":2695,"type":"anyOf","anyOf":[{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2694,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font styles to include."},"display":{"_internalId":2698,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."}},"patternProperties":{},"closed":true,"$id":"brand-font-common"},"brand-font-system":{"_internalId":2699,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"The font family name, which must match the name of the font on the\nfoundry website."},"weight":{"_internalId":2688,"type":"anyOf","anyOf":[{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2687,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font weights to include."},"style":{"_internalId":2695,"type":"anyOf","anyOf":[{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2694,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font styles to include."},"display":{"_internalId":2698,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"source":{"_internalId":2704,"type":"enum","enum":["system"],"description":"be 'system'","completions":["system"],"exhaustiveCompletions":true}},"patternProperties":{},"closed":true,"required":["source"],"$id":"brand-font-system","tags":{"description":"A system font definition."},"documentation":"A system font definition."},"brand-font-google":{"_internalId":2699,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"The font family name, which must match the name of the font on the\nfoundry website."},"weight":{"_internalId":2688,"type":"anyOf","anyOf":[{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2687,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font weights to include."},"style":{"_internalId":2695,"type":"anyOf","anyOf":[{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2694,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font styles to include."},"display":{"_internalId":2698,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"source":{"_internalId":2712,"type":"enum","enum":["google"],"description":"be 'google'","completions":["google"],"exhaustiveCompletions":true}},"patternProperties":{},"closed":true,"required":["source"],"$id":"brand-font-google","tags":{"description":"A font definition from Google Fonts."},"documentation":"A font definition from Google Fonts."},"brand-font-bunny":{"_internalId":2699,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"The font family name, which must match the name of the font on the\nfoundry website."},"weight":{"_internalId":2688,"type":"anyOf","anyOf":[{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2687,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2686,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font weights to include."},"style":{"_internalId":2695,"type":"anyOf","anyOf":[{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2694,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2693,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font styles to include."},"display":{"_internalId":2698,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"source":{"_internalId":2720,"type":"enum","enum":["bunny"],"description":"be 'bunny'","completions":["bunny"],"exhaustiveCompletions":true}},"patternProperties":{},"closed":true,"required":["source"],"$id":"brand-font-bunny","tags":{"description":"A font definition from fonts.bunny.net."},"documentation":"A font definition from fonts.bunny.net."},"brand-font-file":{"_internalId":2756,"type":"object","description":"be an object","properties":{"source":{"_internalId":2728,"type":"enum","enum":["file"],"description":"be 'file'","completions":["file"],"exhaustiveCompletions":true},"family":{"type":"string","description":"be a string","tags":{"description":"The font family name."},"documentation":"The font family name."},"files":{"_internalId":2755,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":2754,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2753,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"The path to the font file. This can be a local path or a URL.\n"},"documentation":"The path to the font file. This can be a local path or a URL."},"weight":{"_internalId":2749,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"style":{"_internalId":2752,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}},"patternProperties":{},"required":["path"]}],"description":"be at least one of: a string, an object"},"tags":{"description":"The font files to include. These can be local or online. Local file paths should be relative to the `brand.yml` file. Online paths should be complete URLs.\n"},"documentation":"The font files to include. These can be local or online. Local file\npaths should be relative to the brand.yml file. Online\npaths should be complete URLs."}},"patternProperties":{},"required":["files","family","source"],"closed":true,"$id":"brand-font-file","tags":{"description":"A method for providing font files directly, either locally or from an online location."},"documentation":"A method for providing font files directly, either locally or from an\nonline location."},"brand-font-family":{"type":"string","description":"be a string","$id":"brand-font-family","tags":{"description":"A locally-installed font family name. When used, the end-user is responsible for ensuring that the font is installed on their system.\n"},"documentation":"A locally-installed font family name. When used, the end-user is\nresponsible for ensuring that the font is installed on their system."},"brand-single":{"_internalId":2778,"type":"object","description":"be an object","properties":{"meta":{"_internalId":2765,"type":"ref","$ref":"brand-meta","description":"be brand-meta"},"logo":{"_internalId":2768,"type":"ref","$ref":"brand-logo-single","description":"be brand-logo-single"},"color":{"_internalId":2771,"type":"ref","$ref":"brand-color-single","description":"be brand-color-single"},"typography":{"_internalId":2774,"type":"ref","$ref":"brand-typography-single","description":"be brand-typography-single"},"defaults":{"_internalId":2777,"type":"ref","$ref":"brand-defaults","description":"be brand-defaults"}},"patternProperties":{},"closed":true,"$id":"brand-single"},"brand-unified":{"_internalId":2796,"type":"object","description":"be an object","properties":{"meta":{"_internalId":2783,"type":"ref","$ref":"brand-meta","description":"be brand-meta"},"logo":{"_internalId":2786,"type":"ref","$ref":"brand-logo-unified","description":"be brand-logo-unified"},"color":{"_internalId":2789,"type":"ref","$ref":"brand-color-unified","description":"be brand-color-unified"},"typography":{"_internalId":2792,"type":"ref","$ref":"brand-typography-unified","description":"be brand-typography-unified"},"defaults":{"_internalId":2795,"type":"ref","$ref":"brand-defaults","description":"be brand-defaults"}},"patternProperties":{},"closed":true,"$id":"brand-unified"},"brand-path-only-light-dark":{"_internalId":2808,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2807,"type":"object","description":"be an object","properties":{"light":{"type":"string","description":"be a string"},"dark":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-path-only-light-dark","tags":{"description":"A path to a brand.yml file, or an object with light and dark paths to brand.yml\n"},"documentation":"A path to a brand.yml file, or an object with light and dark paths to\nbrand.yml"},"brand-path-bool-light-dark":{"_internalId":2837,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":2833,"type":"object","description":"be an object","properties":{"light":{"_internalId":2824,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2823,"type":"ref","$ref":"brand-single","description":"be brand-single"}],"description":"be at least one of: a string, brand-single","tags":{"description":"The path to a light brand file or an inline light brand definition.\n"},"documentation":"The path to a light brand file or an inline light brand\ndefinition."},"dark":{"_internalId":2832,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2831,"type":"ref","$ref":"brand-single","description":"be brand-single"}],"description":"be at least one of: a string, brand-single","tags":{"description":"The path to a dark brand file or an inline dark brand definition.\n"},"documentation":"The path to a dark brand file or an inline dark brand definition."}},"patternProperties":{},"closed":true},{"_internalId":2836,"type":"ref","$ref":"brand-unified","description":"be brand-unified"}],"description":"be at least one of: a string, `true` or `false`, an object, brand-unified","$id":"brand-path-bool-light-dark","tags":{"description":"Branding information to use for this document. If a string, the path to a brand file.\nIf false, don't use branding on this document. If an object, an inline (unified) brand\ndefinition, or an object with light and dark brand paths or definitions.\n"},"documentation":"Branding information to use for this document. If a string, the path\nto a brand file. If false, don’t use branding on this document. If an\nobject, an inline (unified) brand definition, or an object with light\nand dark brand paths or definitions."},"brand-defaults":{"_internalId":2847,"type":"object","description":"be an object","properties":{"bootstrap":{"_internalId":2842,"type":"ref","$ref":"brand-defaults-bootstrap","description":"be brand-defaults-bootstrap"},"quarto":{"_internalId":2845,"type":"object","description":"be an object","properties":{},"patternProperties":{}}},"patternProperties":{},"$id":"brand-defaults"},"brand-defaults-bootstrap":{"_internalId":2866,"type":"object","description":"be an object","properties":{"defaults":{"_internalId":2865,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2864,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, `true` or `false`, a number"}}},"patternProperties":{},"$id":"brand-defaults-bootstrap"},"quarto-resource-cell-attributes-label":{"type":"string","description":"be a string","documentation":"Unique label for code cell","tags":{"description":{"short":"Unique label for code cell","long":"Unique label for code cell. Used when other code needs to refer to the cell \n(e.g. for cross references `fig-samples` or `tbl-summary`)\n"}},"$id":"quarto-resource-cell-attributes-label"},"quarto-resource-cell-attributes-classes":{"type":"string","description":"be a string","documentation":"Classes to apply to cell container","tags":{"description":"Classes to apply to cell container"},"$id":"quarto-resource-cell-attributes-classes"},"quarto-resource-cell-attributes-renderings":{"_internalId":2875,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Array of rendering names, e.g. [light, dark]","tags":{"description":"Array of rendering names, e.g. `[light, dark]`"},"$id":"quarto-resource-cell-attributes-renderings"},"quarto-resource-cell-attributes-tags":{"_internalId":2880,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"engine":"jupyter","description":"Array of tags for notebook cell"},"documentation":"Array of tags for notebook cell","$id":"quarto-resource-cell-attributes-tags"},"quarto-resource-cell-attributes-id":{"type":"string","description":"be a string","tags":{"engine":"jupyter","description":{"short":"Notebook cell identifier","long":"Notebook cell identifier. Note that if there is no cell `id` then `label` \nwill be used as the cell `id` if it is present.\nSee \nfor additional details on cell ids.\n"}},"documentation":"Notebook cell identifier","$id":"quarto-resource-cell-attributes-id"},"quarto-resource-cell-attributes-export":{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true,"tags":{"engine":"jupyter","description":"nbconvert tag to export cell","hidden":true},"documentation":"nbconvert tag to export cell","$id":"quarto-resource-cell-attributes-export"},"quarto-resource-cell-cache-cache":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Whether to cache a code chunk.","long":"Whether to cache a code chunk. When evaluating\ncode chunks for the second time, the cached chunks are skipped (unless they\nhave been modified), but the objects created in these chunks are loaded from\npreviously saved databases (`.rdb` and `.rdx` files), and these files are\nsaved when a chunk is evaluated for the first time, or when cached files are\nnot found (e.g., you may have removed them by hand). Note that the filename\nconsists of the chunk label with an MD5 digest of the R code and chunk\noptions of the code chunk, which means any changes in the chunk will produce\na different MD5 digest, and hence invalidate the cache.\n"}},"documentation":"Whether to cache a code chunk.","$id":"quarto-resource-cell-cache-cache"},"quarto-resource-cell-cache-cache-path":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"A prefix to be used to generate the paths of cache files","hidden":true},"documentation":"A prefix to be used to generate the paths of cache files","$id":"quarto-resource-cell-cache-cache-path"},"quarto-resource-cell-cache-cache-vars":{"_internalId":2894,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2893,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":{"short":"Variable names to be saved in the cache database.","long":"Variable names to be saved in\nthe cache database. By default, all variables created in the current chunks\nare identified and saved, but you may want to manually specify the variables\nto be saved, because the automatic detection of variables may not be robust,\nor you may want to save only a subset of variables.\n"}},"documentation":"Variable names to be saved in the cache database.","$id":"quarto-resource-cell-cache-cache-vars"},"quarto-resource-cell-cache-cache-globals":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Variables names that are not created from the current chunk","long":"Variables names that are not created from the current chunk.\n\nThis option is mainly for `autodep: true` to work more precisely---a chunk\n`B` depends on chunk `A` when any of `B`'s global variables are `A`'s local \nvariables. In case the automatic detection of global variables in a chunk \nfails, you may manually specify the names of global variables via this option.\nIn addition, `cache-globals: false` means detecting all variables in a code\nchunk, no matter if they are global or local variables.\n"}},"documentation":"Variables names that are not created from the current chunk","$id":"quarto-resource-cell-cache-cache-globals"},"quarto-resource-cell-cache-cache-lazy":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Whether to `lazyLoad()` or directly `load()` objects","long":"Whether to `lazyLoad()` or directly `load()` objects. For very large objects, \nlazyloading may not work, so `cache-lazy: false` may be desirable (see\n[#572](https://github.com/yihui/knitr/issues/572)).\n"}},"documentation":"Whether to lazyLoad() or directly load()\nobjects","$id":"quarto-resource-cell-cache-cache-lazy"},"quarto-resource-cell-cache-cache-rebuild":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Force rebuild of cache for chunk"},"documentation":"Force rebuild of cache for chunk","$id":"quarto-resource-cell-cache-cache-rebuild"},"quarto-resource-cell-cache-cache-comments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Prevent comment changes from invalidating the cache for a chunk"},"documentation":"Prevent comment changes from invalidating the cache for a chunk","$id":"quarto-resource-cell-cache-cache-comments"},"quarto-resource-cell-cache-dependson":{"_internalId":2917,"type":"anyOf","anyOf":[{"_internalId":2910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2909,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},{"_internalId":2916,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":2915,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: at least one of: a string, an array of values, where each element must be a string, at least one of: a number, an array of values, where each element must be a number","tags":{"engine":"knitr","description":"Explicitly specify cache dependencies for this chunk (one or more chunk labels)\n"},"documentation":"Explicitly specify cache dependencies for this chunk (one or more\nchunk labels)","$id":"quarto-resource-cell-cache-dependson"},"quarto-resource-cell-cache-autodep":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Detect cache dependencies automatically via usage of global variables"},"documentation":"Detect cache dependencies automatically via usage of global\nvariables","$id":"quarto-resource-cell-cache-autodep"},"quarto-resource-cell-card-title":{"type":"string","description":"be a string","tags":{"formats":["dashboard"],"description":{"short":"Title displayed in dashboard card header"}},"documentation":"Title displayed in dashboard card header","$id":"quarto-resource-cell-card-title"},"quarto-resource-cell-card-padding":{"_internalId":2928,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["dashboard"],"description":{"short":"Padding around dashboard card content (default `8px`)"}},"documentation":"Padding around dashboard card content (default 8px)","$id":"quarto-resource-cell-card-padding"},"quarto-resource-cell-card-expandable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":{"short":"Make dashboard card content expandable (default: `true`)"}},"documentation":"Make dashboard card content expandable (default:\ntrue)","$id":"quarto-resource-cell-card-expandable"},"quarto-resource-cell-card-width":{"_internalId":2937,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["dashboard"],"description":{"short":"Percentage or absolute pixel width for dashboard card (defaults to evenly spaced across row)"}},"documentation":"Percentage or absolute pixel width for dashboard card (defaults to\nevenly spaced across row)","$id":"quarto-resource-cell-card-width"},"quarto-resource-cell-card-height":{"_internalId":2944,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["dashboard"],"description":{"short":"Percentage or absolute pixel height for dashboard card (defaults to evenly spaced across column)"}},"documentation":"Percentage or absolute pixel height for dashboard card (defaults to\nevenly spaced across column)","$id":"quarto-resource-cell-card-height"},"quarto-resource-cell-card-context":{"type":"string","description":"be a string","tags":{"formats":["dashboard"],"engine":["jupyter"],"description":{"short":"Context to execute cell within."}},"documentation":"Context to execute cell within.","$id":"quarto-resource-cell-card-context"},"quarto-resource-cell-card-content":{"_internalId":2949,"type":"enum","enum":["valuebox","sidebar","toolbar","card-sidebar","card-toolbar"],"description":"be one of: `valuebox`, `sidebar`, `toolbar`, `card-sidebar`, `card-toolbar`","completions":["valuebox","sidebar","toolbar","card-sidebar","card-toolbar"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":{"short":"The type of dashboard element being produced by this code cell."}},"documentation":"The type of dashboard element being produced by this code cell.","$id":"quarto-resource-cell-card-content"},"quarto-resource-cell-card-color":{"_internalId":2957,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2956,"type":"enum","enum":["primary","secondary","success","info","warning","danger","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `info`, `warning`, `danger`, `light`, `dark`","completions":["primary","secondary","success","info","warning","danger","light","dark"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, one of: `primary`, `secondary`, `success`, `info`, `warning`, `danger`, `light`, `dark`","tags":{"formats":["dashboard"],"description":{"short":"For code cells that produce a valuebox, the color of the valuebox.s"}},"documentation":"For code cells that produce a valuebox, the color of the\nvaluebox.s","$id":"quarto-resource-cell-card-color"},"quarto-resource-cell-codeoutput-eval":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":{"short":"Evaluate code cells (if `false` just echos the code into output).","long":"Evaluate code cells (if `false` just echos the code into output).\n\n- `true` (default): evaluate code cell\n- `false`: don't evaluate code cell\n- `[...]`: A list of positive or negative numbers to selectively include or exclude expressions \n (explicit inclusion/exclusion of expressions is available only when using the knitr engine)\n"}},"documentation":"Evaluate code cells (if false just echos the code into\noutput).","$id":"quarto-resource-cell-codeoutput-eval"},"quarto-resource-cell-codeoutput-echo":{"_internalId":2967,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":2966,"type":"enum","enum":["fenced"],"description":"be 'fenced'","completions":["fenced"],"exhaustiveCompletions":true}],"description":"be `true`, `false`, or `fenced`","tags":{"contexts":["document-execute"],"execute-only":true,"description":{"short":"Include cell source code in rendered output.","long":"Include cell source code in rendered output.\n\n- `true` (default in most formats): include source code in output\n- `false` (default in presentation formats like `beamer`, `revealjs`, and `pptx`): do not include source code in output\n- `fenced`: in addition to echoing, include the cell delimiter as part of the output.\n- `[...]`: A list of positive or negative line numbers to selectively include or exclude lines\n (explicit inclusion/excusion of lines is available only when using the knitr engine)\n"}},"documentation":"Include cell source code in rendered output.","$id":"quarto-resource-cell-codeoutput-echo"},"quarto-resource-cell-codeoutput-code-fold":{"_internalId":2975,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":2974,"type":"enum","enum":["show"],"description":"be 'show'","completions":["show"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'show'","tags":{"contexts":["document-code"],"formats":["$html-all"],"description":{"short":"Collapse code into an HTML `
` tag so the user can display it on-demand.","long":"Collapse code into an HTML `
` tag so the user can display it on-demand.\n\n- `true`: collapse code\n- `false` (default): do not collapse code\n- `show`: use the `
` tag, but show the expanded code initially.\n"}},"documentation":"Collapse code into an HTML <details> tag so the\nuser can display it on-demand.","$id":"quarto-resource-cell-codeoutput-code-fold"},"quarto-resource-cell-codeoutput-code-summary":{"type":"string","description":"be a string","tags":{"contexts":["document-code"],"formats":["$html-all"],"description":"Summary text to use for code blocks collapsed using `code-fold`"},"documentation":"Summary text to use for code blocks collapsed using\ncode-fold","$id":"quarto-resource-cell-codeoutput-code-summary"},"quarto-resource-cell-codeoutput-code-overflow":{"_internalId":2980,"type":"enum","enum":["scroll","wrap"],"description":"be one of: `scroll`, `wrap`","completions":["scroll","wrap"],"exhaustiveCompletions":true,"tags":{"contexts":["document-code"],"formats":["$html-all"],"description":{"short":"Choose whether to `scroll` or `wrap` when code lines are too wide for their container.","long":"Choose how to handle code overflow, when code lines are too wide for their container. One of:\n\n- `scroll`\n- `wrap`\n"}},"documentation":"Choose whether to scroll or wrap when code\nlines are too wide for their container.","$id":"quarto-resource-cell-codeoutput-code-overflow"},"quarto-resource-cell-codeoutput-code-line-numbers":{"_internalId":2987,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be `true`, `false`, or a string specifying the lines to highlight","tags":{"doNotNarrowError":true,"contexts":["document-code"],"formats":["$html-all","ms","$pdf-all"],"description":{"short":"Include line numbers in code block output (`true` or `false`)","long":"Include line numbers in code block output (`true` or `false`).\n\nFor revealjs output only, you can also specify a string to highlight\nspecific lines (and/or animate between sets of highlighted lines).\n\n* Sets of lines are denoted with commas:\n * `3,4,5`\n * `1,10,12`\n* Ranges can be denoted with dashes and combined with commas:\n * `1-3,5` \n * `5-10,12,14`\n* Finally, animation steps are separated by `|`:\n * `1-3|1-3,5` first shows `1-3`, then `1-3,5`\n * `|5|5-10,12` first shows no numbering, then 5, then lines 5-10\n and 12\n"}},"documentation":"Include line numbers in code block output (true or\nfalse)","$id":"quarto-resource-cell-codeoutput-code-line-numbers"},"quarto-resource-cell-codeoutput-lst-label":{"type":"string","description":"be a string","documentation":"Unique label for code listing (used in cross references)","tags":{"description":"Unique label for code listing (used in cross references)"},"$id":"quarto-resource-cell-codeoutput-lst-label"},"quarto-resource-cell-codeoutput-lst-cap":{"type":"string","description":"be a string","documentation":"Caption for code listing","tags":{"description":"Caption for code listing"},"$id":"quarto-resource-cell-codeoutput-lst-cap"},"quarto-resource-cell-codeoutput-tidy":{"_internalId":2999,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":2998,"type":"enum","enum":["styler","formatR"],"description":"be one of: `styler`, `formatR`","completions":["styler","formatR"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `styler`, `formatR`","tags":{"engine":"knitr","description":"Whether to reformat R code."},"documentation":"Whether to reformat R code.","$id":"quarto-resource-cell-codeoutput-tidy"},"quarto-resource-cell-codeoutput-tidy-opts":{"_internalId":3004,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"engine":"knitr","description":"List of options to pass to `tidy` handler"},"documentation":"List of options to pass to tidy handler","$id":"quarto-resource-cell-codeoutput-tidy-opts"},"quarto-resource-cell-codeoutput-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Collapse all the source and output blocks from one code chunk into a single block\n"},"documentation":"Collapse all the source and output blocks from one code chunk into a\nsingle block","$id":"quarto-resource-cell-codeoutput-collapse"},"quarto-resource-cell-codeoutput-prompt":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Whether to add the prompt characters in R code.","long":"Whether to add the prompt characters in R\ncode. See `prompt` and `continue` on the help page `?base::options`. Note\nthat adding prompts can make it difficult for readers to copy R code from\nthe output, so `prompt: false` may be a better choice. This option may not\nwork well when the `engine` is not `R`\n([#1274](https://github.com/yihui/knitr/issues/1274)).\n"}},"documentation":"Whether to add the prompt characters in R code.","$id":"quarto-resource-cell-codeoutput-prompt"},"quarto-resource-cell-codeoutput-highlight":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Whether to syntax highlight the source code","hidden":true},"documentation":"Whether to syntax highlight the source code","$id":"quarto-resource-cell-codeoutput-highlight"},"quarto-resource-cell-codeoutput-class-source":{"_internalId":3016,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3015,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for source code blocks"},"documentation":"Class name(s) for source code blocks","$id":"quarto-resource-cell-codeoutput-class-source"},"quarto-resource-cell-codeoutput-attr-source":{"_internalId":3022,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3021,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for source code blocks"},"documentation":"Attribute(s) for source code blocks","$id":"quarto-resource-cell-codeoutput-attr-source"},"quarto-resource-cell-figure-fig-width":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Default width for figures"},"documentation":"Default width for figures","$id":"quarto-resource-cell-figure-fig-width"},"quarto-resource-cell-figure-fig-height":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Default height for figures"},"documentation":"Default height for figures","$id":"quarto-resource-cell-figure-fig-height"},"quarto-resource-cell-figure-fig-cap":{"_internalId":3032,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3031,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Figure caption"},"documentation":"Figure caption","$id":"quarto-resource-cell-figure-fig-cap"},"quarto-resource-cell-figure-fig-subcap":{"_internalId":3044,"type":"anyOf","anyOf":[{"_internalId":3037,"type":"enum","enum":[true],"description":"be 'true'","completions":["true"],"exhaustiveCompletions":true},{"_internalId":3043,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3042,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: 'true', at least one of: a string, an array of values, where each element must be a string","documentation":"Figure subcaptions","tags":{"description":"Figure subcaptions"},"$id":"quarto-resource-cell-figure-fig-subcap"},"quarto-resource-cell-figure-fig-link":{"_internalId":3050,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3049,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Hyperlink target for the figure"},"documentation":"Hyperlink target for the figure","$id":"quarto-resource-cell-figure-fig-link"},"quarto-resource-cell-figure-fig-align":{"_internalId":3057,"type":"anyOf","anyOf":[{"_internalId":3055,"type":"enum","enum":["default","left","right","center"],"description":"be one of: `default`, `left`, `right`, `center`","completions":["default","left","right","center"],"exhaustiveCompletions":true},{"_internalId":3056,"type":"array","description":"be an array of values, where each element must be one of: `default`, `left`, `right`, `center`","items":{"_internalId":3055,"type":"enum","enum":["default","left","right","center"],"description":"be one of: `default`, `left`, `right`, `center`","completions":["default","left","right","center"],"exhaustiveCompletions":true}}],"description":"be at least one of: one of: `default`, `left`, `right`, `center`, an array of values, where each element must be one of: `default`, `left`, `right`, `center`","tags":{"complete-from":["anyOf",0],"contexts":["document-figures"],"formats":["docx","rtf","$odt-all","$pdf-all","$html-all"],"description":"Figure horizontal alignment (`default`, `left`, `right`, or `center`)"},"documentation":"Figure horizontal alignment (default, left,\nright, or center)","$id":"quarto-resource-cell-figure-fig-align"},"quarto-resource-cell-figure-fig-alt":{"_internalId":3063,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3062,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":"Alternative text to be used in the `alt` attribute of HTML images.\n"},"documentation":"Alternative text to be used in the alt attribute of HTML\nimages.","$id":"quarto-resource-cell-figure-fig-alt"},"quarto-resource-cell-figure-fig-env":{"_internalId":3069,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3068,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"contexts":["document-figures"],"description":"LaTeX environment for figure output"},"documentation":"LaTeX environment for figure output","$id":"quarto-resource-cell-figure-fig-env"},"quarto-resource-cell-figure-fig-pos":{"_internalId":3081,"type":"anyOf","anyOf":[{"_internalId":3077,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3076,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},{"_internalId":3080,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true}],"description":"be at least one of: at least one of: a string, an array of values, where each element must be a string, 'false'","tags":{"formats":["$pdf-all"],"contexts":["document-figures"],"description":{"short":"LaTeX figure position arrangement to be used in `\\begin{figure}[]`.","long":"LaTeX figure position arrangement to be used in `\\begin{figure}[]`.\n\nComputational figure output that is accompanied by the code \nthat produced it is given a default value of `fig-pos=\"H\"` (so \nthat the code and figure are not inordinately separated).\n\nIf `fig-pos` is `false`, then we don't use any figure position\nspecifier, which is sometimes necessary with custom figure\nenvironments (such as `sidewaysfigure`).\n"}},"documentation":"LaTeX figure position arrangement to be used in\n\\begin{figure}[].","$id":"quarto-resource-cell-figure-fig-pos"},"quarto-resource-cell-figure-fig-scap":{"_internalId":3087,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3086,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"A short caption (only used in LaTeX output)","long":"A short caption (only used in LaTeX output). A short caption is inserted in `\\caption[]`, \nand usually displayed in the “List of Figures” of a PDF document.\n"}},"documentation":"A short caption (only used in LaTeX output)","$id":"quarto-resource-cell-figure-fig-scap"},"quarto-resource-cell-figure-fig-format":{"_internalId":3090,"type":"enum","enum":["retina","png","jpeg","svg","pdf"],"description":"be one of: `retina`, `png`, `jpeg`, `svg`, `pdf`","completions":["retina","png","jpeg","svg","pdf"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Default output format for figures (`retina`, `png`, `jpeg`, `svg`, or `pdf`)"},"documentation":"Default output format for figures (retina,\npng, jpeg, svg, or\npdf)","$id":"quarto-resource-cell-figure-fig-format"},"quarto-resource-cell-figure-fig-dpi":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Default DPI for figures"},"documentation":"Default DPI for figures","$id":"quarto-resource-cell-figure-fig-dpi"},"quarto-resource-cell-figure-fig-asp":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"The aspect ratio of the plot, i.e., the ratio of height/width. When `fig-asp` is specified, the height of a plot \n(the option `fig-height`) is calculated from `fig-width * fig-asp`.\n"},"documentation":"The aspect ratio of the plot, i.e., the ratio of height/width. When\nfig-asp is specified, the height of a plot (the option\nfig-height) is calculated from\nfig-width * fig-asp.","$id":"quarto-resource-cell-figure-fig-asp"},"quarto-resource-cell-figure-out-width":{"_internalId":3103,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"null","description":"be the null value","completions":[],"exhaustiveCompletions":true}],"description":"be at least one of: a string, the null value","tags":{"engine":"knitr","description":{"short":"Width of plot in the output document","long":"Width of the plot in the output document, which can be different from its physical `fig-width`,\ni.e., plots can be scaled in the output document.\nWhen used without a unit, the unit is assumed to be pixels. However, any of the following unit \nidentifiers can be used: px, cm, mm, in, inch and %, for example, `3in`, `8cm`, `300px` or `50%`.\n"}},"documentation":"Width of plot in the output document","$id":"quarto-resource-cell-figure-out-width"},"quarto-resource-cell-figure-out-height":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Height of plot in the output document","long":"Height of the plot in the output document, which can be different from its physical `fig-height`, \ni.e., plots can be scaled in the output document.\nDepending on the output format, this option can take special values.\nFor example, for LaTeX output, it can be `3in`, or `8cm`;\nfor HTML, it can be `300px`.\n"}},"documentation":"Height of plot in the output document","$id":"quarto-resource-cell-figure-out-height"},"quarto-resource-cell-figure-fig-keep":{"_internalId":3117,"type":"anyOf","anyOf":[{"_internalId":3110,"type":"enum","enum":["high","none","all","first","last"],"description":"be one of: `high`, `none`, `all`, `first`, `last`","completions":["high","none","all","first","last"],"exhaustiveCompletions":true},{"_internalId":3116,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":3115,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: one of: `high`, `none`, `all`, `first`, `last`, at least one of: a number, an array of values, where each element must be a number","tags":{"engine":"knitr","description":{"short":"How plots in chunks should be kept.","long":"How plots in chunks should be kept. Possible values are as follows:\n\n- `high`: Only keep high-level plots (merge low-level changes into\n high-level plots).\n- `none`: Discard all plots.\n- `all`: Keep all plots (low-level plot changes may produce new plots).\n- `first`: Only keep the first plot.\n- `last`: Only keep the last plot.\n- A numeric vector: In this case, the values are indices of (low-level) plots\n to keep.\n"}},"documentation":"How plots in chunks should be kept.","$id":"quarto-resource-cell-figure-fig-keep"},"quarto-resource-cell-figure-fig-show":{"_internalId":3120,"type":"enum","enum":["asis","hold","animate","hide"],"description":"be one of: `asis`, `hold`, `animate`, `hide`","completions":["asis","hold","animate","hide"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"How to show/arrange the plots","long":"How to show/arrange the plots. Possible values are as follows:\n\n- `asis`: Show plots exactly in places where they were generated (as if\n the code were run in an R terminal).\n- `hold`: Hold all plots and output them at the end of a code chunk.\n- `animate`: Concatenate all plots into an animation if there are multiple\n plots in a chunk.\n- `hide`: Generate plot files but hide them in the output document.\n"}},"documentation":"How to show/arrange the plots","$id":"quarto-resource-cell-figure-fig-show"},"quarto-resource-cell-figure-out-extra":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"Additional raw LaTeX or HTML options to be applied to figures"},"documentation":"Additional raw LaTeX or HTML options to be applied to figures","$id":"quarto-resource-cell-figure-out-extra"},"quarto-resource-cell-figure-external":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","formats":["$pdf-all"],"description":"Externalize tikz graphics (pre-compile to PDF)"},"documentation":"Externalize tikz graphics (pre-compile to PDF)","$id":"quarto-resource-cell-figure-external"},"quarto-resource-cell-figure-sanitize":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","formats":["$pdf-all"],"description":"sanitize tikz graphics (escape special LaTeX characters)."},"documentation":"sanitize tikz graphics (escape special LaTeX characters).","$id":"quarto-resource-cell-figure-sanitize"},"quarto-resource-cell-figure-interval":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Time interval (number of seconds) between animation frames."},"documentation":"Time interval (number of seconds) between animation frames.","$id":"quarto-resource-cell-figure-interval"},"quarto-resource-cell-figure-aniopts":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Extra options for animations","long":"Extra options for animations; see the documentation of the LaTeX [**animate**\npackage.](http://ctan.org/pkg/animate)\n"}},"documentation":"Extra options for animations","$id":"quarto-resource-cell-figure-aniopts"},"quarto-resource-cell-figure-animation-hook":{"type":"string","description":"be a string","completions":["ffmpeg","gifski"],"tags":{"engine":"knitr","description":{"short":"Hook function to create animations in HTML output","long":"Hook function to create animations in HTML output. \n\nThe default hook (`ffmpeg`) uses FFmpeg to convert images to a WebM video.\n\nAnother hook function is `gifski` based on the\n[**gifski**](https://cran.r-project.org/package=gifski) package to\ncreate GIF animations.\n"}},"documentation":"Hook function to create animations in HTML output","$id":"quarto-resource-cell-figure-animation-hook"},"quarto-resource-cell-include-child":{"_internalId":3138,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3137,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"One or more paths of child documents to be knitted and input into the main document."},"documentation":"One or more paths of child documents to be knitted and input into the\nmain document.","$id":"quarto-resource-cell-include-child"},"quarto-resource-cell-include-file":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"File containing code to execute for this chunk"},"documentation":"File containing code to execute for this chunk","$id":"quarto-resource-cell-include-file"},"quarto-resource-cell-include-code":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"String containing code to execute for this chunk"},"documentation":"String containing code to execute for this chunk","$id":"quarto-resource-cell-include-code"},"quarto-resource-cell-include-purl":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Include chunk when extracting code with `knitr::purl()`"},"documentation":"Include chunk when extracting code with\nknitr::purl()","$id":"quarto-resource-cell-include-purl"},"quarto-resource-cell-layout-layout":{"_internalId":3157,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3156,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a number","items":{"_internalId":3155,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}}],"description":"be at least one of: a string, an array of values, where each element must be an array of values, where each element must be a number","documentation":"2d-array of widths where the first dimension specifies columns and\nthe second rows.","tags":{"description":{"short":"2d-array of widths where the first dimension specifies columns and the second rows.","long":"2d-array of widths where the first dimension specifies columns and the second rows.\n\nFor example, to layout the first two output blocks side-by-side on the top with the third\nblock spanning the full width below, use `[[3,3], [1]]`.\n\nUse negative values to create margin. For example, to create space between the \noutput blocks in the top row of the previous example, use `[[3,-1, 3], [1]]`.\n"}},"$id":"quarto-resource-cell-layout-layout"},"quarto-resource-cell-layout-layout-ncol":{"type":"number","description":"be a number","documentation":"Layout output blocks into columns","tags":{"description":"Layout output blocks into columns"},"$id":"quarto-resource-cell-layout-layout-ncol"},"quarto-resource-cell-layout-layout-nrow":{"type":"number","description":"be a number","documentation":"Layout output blocks into rows","tags":{"description":"Layout output blocks into rows"},"$id":"quarto-resource-cell-layout-layout-nrow"},"quarto-resource-cell-layout-layout-align":{"_internalId":3164,"type":"enum","enum":["default","left","center","right"],"description":"be one of: `default`, `left`, `center`, `right`","completions":["default","left","center","right"],"exhaustiveCompletions":true,"documentation":"Horizontal alignment for layout content (default,\nleft, right, or center)","tags":{"description":"Horizontal alignment for layout content (`default`, `left`, `right`, or `center`)"},"$id":"quarto-resource-cell-layout-layout-align"},"quarto-resource-cell-layout-layout-valign":{"_internalId":3167,"type":"enum","enum":["default","top","center","bottom"],"description":"be one of: `default`, `top`, `center`, `bottom`","completions":["default","top","center","bottom"],"exhaustiveCompletions":true,"documentation":"Vertical alignment for layout content (default,\ntop, center, or bottom)","tags":{"description":"Vertical alignment for layout content (`default`, `top`, `center`, or `bottom`)"},"$id":"quarto-resource-cell-layout-layout-valign"},"quarto-resource-cell-pagelayout-column":{"_internalId":3170,"type":"ref","$ref":"page-column","description":"be page-column","documentation":"Page column for output","tags":{"description":{"short":"Page column for output","long":"[Page column](https://quarto.org/docs/authoring/article-layout.html) for output"}},"$id":"quarto-resource-cell-pagelayout-column"},"quarto-resource-cell-pagelayout-fig-column":{"_internalId":3173,"type":"ref","$ref":"page-column","description":"be page-column","documentation":"Page column for figure output","tags":{"description":{"short":"Page column for figure output","long":"[Page column](https://quarto.org/docs/authoring/article-layout.html) for figure output"}},"$id":"quarto-resource-cell-pagelayout-fig-column"},"quarto-resource-cell-pagelayout-tbl-column":{"_internalId":3176,"type":"ref","$ref":"page-column","description":"be page-column","documentation":"Page column for table output","tags":{"description":{"short":"Page column for table output","long":"[Page column](https://quarto.org/docs/authoring/article-layout.html) for table output"}},"$id":"quarto-resource-cell-pagelayout-tbl-column"},"quarto-resource-cell-pagelayout-cap-location":{"_internalId":3179,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"contexts":["document-layout"],"formats":["$html-files","$pdf-all"],"description":"Where to place figure and table captions (`top`, `bottom`, or `margin`)"},"documentation":"Where to place figure and table captions (top,\nbottom, or margin)","$id":"quarto-resource-cell-pagelayout-cap-location"},"quarto-resource-cell-pagelayout-fig-cap-location":{"_internalId":3182,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"contexts":["document-layout","document-figures"],"formats":["$html-files","$pdf-all"],"description":"Where to place figure captions (`top`, `bottom`, or `margin`)"},"documentation":"Where to place figure captions (top,\nbottom, or margin)","$id":"quarto-resource-cell-pagelayout-fig-cap-location"},"quarto-resource-cell-pagelayout-tbl-cap-location":{"_internalId":3185,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"contexts":["document-layout","document-tables"],"formats":["$html-files","$pdf-all"],"description":"Where to place table captions (`top`, `bottom`, or `margin`)"},"documentation":"Where to place table captions (top, bottom,\nor margin)","$id":"quarto-resource-cell-pagelayout-tbl-cap-location"},"quarto-resource-cell-table-tbl-cap":{"_internalId":3191,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3190,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Table caption"},"documentation":"Table caption","$id":"quarto-resource-cell-table-tbl-cap"},"quarto-resource-cell-table-tbl-subcap":{"_internalId":3203,"type":"anyOf","anyOf":[{"_internalId":3196,"type":"enum","enum":[true],"description":"be 'true'","completions":["true"],"exhaustiveCompletions":true},{"_internalId":3202,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3201,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: 'true', at least one of: a string, an array of values, where each element must be a string","documentation":"Table subcaptions","tags":{"description":"Table subcaptions"},"$id":"quarto-resource-cell-table-tbl-subcap"},"quarto-resource-cell-table-tbl-colwidths":{"_internalId":3216,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3210,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true},{"_internalId":3215,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: `true` or `false`, 'auto', an array of values, where each element must be a number","tags":{"contexts":["document-tables"],"engine":["knitr","jupyter"],"formats":["$pdf-all","$html-all"],"description":{"short":"Apply explicit table column widths","long":"Apply explicit table column widths for markdown grid tables and pipe\ntables that are more than `columns` characters wide (72 by default). \n\nSome formats (e.g. HTML) do an excellent job automatically sizing\ntable columns and so don't benefit much from column width specifications.\nOther formats (e.g. LaTeX) require table column sizes in order to \ncorrectly flow longer cell content (this is a major reason why tables \n> 72 columns wide are assigned explicit widths by Pandoc).\n\nThis can be specified as:\n\n- `auto`: Apply markdown table column widths except when there is a\n hyperlink in the table (which tends to throw off automatic\n calculation of column widths based on the markdown text width of cells).\n (`auto` is the default for HTML output formats)\n\n- `true`: Always apply markdown table widths (`true` is the default\n for all non-HTML formats)\n\n- `false`: Never apply markdown table widths.\n\n- An array of numbers (e.g. `[40, 30, 30]`): Array of explicit width percentages.\n"}},"documentation":"Apply explicit table column widths","$id":"quarto-resource-cell-table-tbl-colwidths"},"quarto-resource-cell-table-html-table-processing":{"_internalId":3219,"type":"enum","enum":["none"],"description":"be 'none'","completions":["none"],"exhaustiveCompletions":true,"documentation":"If none, do not process raw HTML table in cell output\nand leave it as-is","tags":{"description":"If `none`, do not process raw HTML table in cell output and leave it as-is"},"$id":"quarto-resource-cell-table-html-table-processing"},"quarto-resource-cell-textoutput-output":{"_internalId":3231,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3226,"type":"enum","enum":["asis"],"description":"be 'asis'","completions":["asis"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"},{"_internalId":3229,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: `true` or `false`, 'asis', a string, an object","tags":{"contexts":["document-execute"],"execute-only":true,"description":{"short":"Include the results of executing the code in the output (specify `asis` to\ntreat output as raw markdown with no enclosing containers).\n","long":"Include the results of executing the code in the output. Possible values:\n\n- `true`: Include results.\n- `false`: Do not include results.\n- `asis`: Treat output as raw markdown with no enclosing containers.\n"}},"documentation":"Include the results of executing the code in the output (specify\nasis to treat output as raw markdown with no enclosing\ncontainers).","$id":"quarto-resource-cell-textoutput-output"},"quarto-resource-cell-textoutput-warning":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":"Include warnings in rendered output."},"documentation":"Include warnings in rendered output.","$id":"quarto-resource-cell-textoutput-warning"},"quarto-resource-cell-textoutput-error":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":"Include errors in the output (note that this implies that errors executing code\nwill not halt processing of the document).\n"},"documentation":"Include errors in the output (note that this implies that errors\nexecuting code will not halt processing of the document).","$id":"quarto-resource-cell-textoutput-error"},"quarto-resource-cell-textoutput-include":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":"Catch all for preventing any output (code or results) from being included in output.\n"},"documentation":"Catch all for preventing any output (code or results) from being\nincluded in output.","$id":"quarto-resource-cell-textoutput-include"},"quarto-resource-cell-textoutput-panel":{"_internalId":3240,"type":"enum","enum":["tabset","input","sidebar","fill","center"],"description":"be one of: `tabset`, `input`, `sidebar`, `fill`, `center`","completions":["tabset","input","sidebar","fill","center"],"exhaustiveCompletions":true,"documentation":"Panel type for cell output (tabset, input,\nsidebar, fill, center)","tags":{"description":"Panel type for cell output (`tabset`, `input`, `sidebar`, `fill`, `center`)"},"$id":"quarto-resource-cell-textoutput-panel"},"quarto-resource-cell-textoutput-output-location":{"_internalId":3243,"type":"enum","enum":["default","fragment","slide","column","column-fragment"],"description":"be one of: `default`, `fragment`, `slide`, `column`, `column-fragment`","completions":["default","fragment","slide","column","column-fragment"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Location of output relative to the code that generated it (`default`, `fragment`, `slide`, `column`, or `column-location`)","long":"Location of output relative to the code that generated it. The possible values are as follows:\n\n- `default`: Normal flow of the slide after the code\n- `fragment`: In a fragment (not visible until you advance)\n- `slide`: On a new slide after the curent one\n- `column`: In an adjacent column \n- `column-fragment`: In an adjacent column (not visible until you advance)\n\nNote that this option is supported only for the `revealjs` format.\n"}},"documentation":"Location of output relative to the code that generated it\n(default, fragment, slide,\ncolumn, or column-location)","$id":"quarto-resource-cell-textoutput-output-location"},"quarto-resource-cell-textoutput-message":{"_internalId":3246,"type":"enum","enum":[true,false,"NA"],"description":"be one of: `true`, `false`, `NA`","completions":["true","false","NA"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Include messages in rendered output.","long":"Include messages in rendered output. Possible values are `true`, `false`, or `NA`. \nIf `true`, messages are included in the output. If `false`, messages are not included. \nIf `NA`, messages are not included in output but shown in the knitr log to console.\n"}},"documentation":"Include messages in rendered output.","$id":"quarto-resource-cell-textoutput-message"},"quarto-resource-cell-textoutput-results":{"_internalId":3249,"type":"enum","enum":["markup","asis","hold","hide",false],"description":"be one of: `markup`, `asis`, `hold`, `hide`, `false`","completions":["markup","asis","hold","hide","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"How to display text results","long":"How to display text results. Note that this option only applies to normal text output (not warnings,\nmessages, or errors). The possible values are as follows:\n\n- `markup`: Mark up text output with the appropriate environments\n depending on the output format. For example, if the text\n output is a character string `\"[1] 1 2 3\"`, the actual output that\n **knitr** produces will be:\n\n ```` md\n ```\n [1] 1 2 3\n ```\n ````\n\n In this case, `results: markup` means to put the text output in fenced\n code blocks (```` ``` ````).\n\n- `asis`: Write text output as-is, i.e., write the raw text results\n directly into the output document without any markups.\n\n ```` md\n ```{r}\n #| results: asis\n cat(\"I'm raw **Markdown** content.\\n\")\n ```\n ````\n\n- `hold`: Hold all pieces of text output in a chunk and flush them to the\n end of the chunk.\n\n- `hide` (or `false`): Hide text output.\n"}},"documentation":"How to display text results","$id":"quarto-resource-cell-textoutput-results"},"quarto-resource-cell-textoutput-comment":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Prefix to be added before each line of text output.","long":"Prefix to be added before each line of text output.\nBy default, the text output is commented out by `##`, so if\nreaders want to copy and run the source code from the output document, they\ncan select and copy everything from the chunk, since the text output is\nmasked in comments (and will be ignored when running the copied text). Set\n`comment: ''` to remove the default `##`.\n"}},"documentation":"Prefix to be added before each line of text output.","$id":"quarto-resource-cell-textoutput-comment"},"quarto-resource-cell-textoutput-class-output":{"_internalId":3257,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3256,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for text/console output"},"documentation":"Class name(s) for text/console output","$id":"quarto-resource-cell-textoutput-class-output"},"quarto-resource-cell-textoutput-attr-output":{"_internalId":3263,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3262,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for text/console output"},"documentation":"Attribute(s) for text/console output","$id":"quarto-resource-cell-textoutput-attr-output"},"quarto-resource-cell-textoutput-class-warning":{"_internalId":3269,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3268,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for warning output"},"documentation":"Class name(s) for warning output","$id":"quarto-resource-cell-textoutput-class-warning"},"quarto-resource-cell-textoutput-attr-warning":{"_internalId":3275,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3274,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for warning output"},"documentation":"Attribute(s) for warning output","$id":"quarto-resource-cell-textoutput-attr-warning"},"quarto-resource-cell-textoutput-class-message":{"_internalId":3281,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3280,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for message output"},"documentation":"Class name(s) for message output","$id":"quarto-resource-cell-textoutput-class-message"},"quarto-resource-cell-textoutput-attr-message":{"_internalId":3287,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3286,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for message output"},"documentation":"Attribute(s) for message output","$id":"quarto-resource-cell-textoutput-attr-message"},"quarto-resource-cell-textoutput-class-error":{"_internalId":3293,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3292,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for error output"},"documentation":"Class name(s) for error output","$id":"quarto-resource-cell-textoutput-class-error"},"quarto-resource-cell-textoutput-attr-error":{"_internalId":3299,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3298,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for error output"},"documentation":"Attribute(s) for error output","$id":"quarto-resource-cell-textoutput-attr-error"},"quarto-resource-document-about-about":{"_internalId":3308,"type":"anyOf","anyOf":[{"_internalId":3304,"type":"enum","enum":["jolla","trestles","solana","marquee","broadside"],"description":"be one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`","completions":["jolla","trestles","solana","marquee","broadside"],"exhaustiveCompletions":true},{"_internalId":3307,"type":"ref","$ref":"website-about","description":"be website-about"}],"description":"be at least one of: one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`, website-about","tags":{"formats":["$html-doc"],"description":{"short":"Specifies that the page is an 'about' page and which template to use when laying out the page.","long":"Specifies that the page is an 'about' page and which template to use when laying out the page.\n\nThe allowed values are either:\n\n- one of the possible template values (`jolla`, `trestles`, `solana`, `marquee`, or `broadside`))\n- an object describing the 'about' page in more detail. See [About Pages](https://quarto.org/docs/websites/website-about.html) for more.\n"}},"documentation":"Specifies that the page is an ‘about’ page and which template to use\nwhen laying out the page.","$id":"quarto-resource-document-about-about"},"quarto-resource-document-attributes-title":{"type":"string","description":"be a string","documentation":"Document title","tags":{"description":"Document title"},"$id":"quarto-resource-document-attributes-title"},"quarto-resource-document-attributes-subtitle":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$html-all","context","muse","odt","docx"],"description":"Identifies the subtitle of the document."},"documentation":"Identifies the subtitle of the document.","$id":"quarto-resource-document-attributes-subtitle"},"quarto-resource-document-attributes-date":{"_internalId":3315,"type":"ref","$ref":"date","description":"be date","documentation":"Document date","tags":{"description":"Document date"},"$id":"quarto-resource-document-attributes-date"},"quarto-resource-document-attributes-date-format":{"_internalId":3318,"type":"ref","$ref":"date-format","description":"be date-format","documentation":"Date format for the document","tags":{"description":"Date format for the document"},"$id":"quarto-resource-document-attributes-date-format"},"quarto-resource-document-attributes-date-modified":{"_internalId":3321,"type":"ref","$ref":"date","description":"be date","tags":{"formats":["$html-doc"],"description":"Document date modified"},"documentation":"Document date modified","$id":"quarto-resource-document-attributes-date-modified"},"quarto-resource-document-attributes-author":{"_internalId":3332,"type":"anyOf","anyOf":[{"_internalId":3330,"type":"anyOf","anyOf":[{"_internalId":3326,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":3331,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":3330,"type":"anyOf","anyOf":[{"_internalId":3326,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"description":"Author or authors of the document"},"documentation":"Author or authors of the document","$id":"quarto-resource-document-attributes-author"},"quarto-resource-document-attributes-affiliation":{"_internalId":3343,"type":"anyOf","anyOf":[{"_internalId":3341,"type":"anyOf","anyOf":[{"_internalId":3337,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":3342,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":3341,"type":"anyOf","anyOf":[{"_internalId":3337,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"formats":["$jats-all"],"description":{"short":"The list of organizations with which contributors are affiliated.","long":"The list of organizations with which contributors are\naffiliated. Each institution is added as an [``] element to\nthe author's contrib-group. See the Pandoc [JATS documentation](https://pandoc.org/jats.html) \nfor details on `affiliation` fields.\n"}},"documentation":"The list of organizations with which contributors are affiliated.","$id":"quarto-resource-document-attributes-affiliation"},"quarto-resource-document-attributes-copyright":{"_internalId":3344,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"formats":["$jats-all"],"description":{"short":"Licensing and copyright information.","long":"Licensing and copyright information. This information is\nrendered via the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/permissions.html) element.\nThe variables `type`, `link`, and `text` should always be used\ntogether. See the Pandoc [JATS documentation](https://pandoc.org/jats.html)\nfor details on `copyright` fields.\n"}},"documentation":"Licensing and copyright information.","$id":"quarto-resource-document-attributes-copyright"},"quarto-resource-document-attributes-article":{"_internalId":3346,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"formats":["$jats-all"],"description":{"short":"Information concerning the article that identifies or describes it.","long":"Information concerning the article that identifies or describes\nit. The key-value pairs within this map are typically used\nwithin the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/article-meta.html) element.\nSee the Pandoc [JATS documentation](https://pandoc.org/jats.html) for details on `article` fields.\n"}},"documentation":"Information concerning the article that identifies or describes\nit.","$id":"quarto-resource-document-attributes-article"},"quarto-resource-document-attributes-journal":{"_internalId":3348,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"formats":["$jats-all"],"description":{"short":"Information on the journal in which the article is published.","long":"Information on the journal in which the article is published.\nSee the Pandoc [JATS documentation](https://pandoc.org/jats.html) for details on `journal` fields.\n"}},"documentation":"Information on the journal in which the article is published.","$id":"quarto-resource-document-attributes-journal"},"quarto-resource-document-attributes-institute":{"_internalId":3360,"type":"anyOf","anyOf":[{"_internalId":3358,"type":"anyOf","anyOf":[{"_internalId":3354,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":3359,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":3358,"type":"anyOf","anyOf":[{"_internalId":3354,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"formats":["$html-pres","beamer"],"description":"Author affiliations for the presentation."},"documentation":"Author affiliations for the presentation.","$id":"quarto-resource-document-attributes-institute"},"quarto-resource-document-attributes-abstract":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$html-doc","$epub-all","$asciidoc-all","$jats-all","context","ms","odt","docx"],"description":"Summary of document"},"documentation":"Summary of document","$id":"quarto-resource-document-attributes-abstract"},"quarto-resource-document-attributes-abstract-title":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","$epub-all","docx","typst"],"description":"Title used to label document abstract"},"documentation":"Title used to label document abstract","$id":"quarto-resource-document-attributes-abstract-title"},"quarto-resource-document-attributes-notes":{"type":"string","description":"be a string","tags":{"formats":["$jats-all"],"description":"Additional notes concerning the whole article. Added to the\narticle's frontmatter via the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/notes.html) element.\n"},"documentation":"Additional notes concerning the whole article. Added to the article’s\nfrontmatter via the <notes>\nelement.","$id":"quarto-resource-document-attributes-notes"},"quarto-resource-document-attributes-tags":{"_internalId":3371,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$jats-all"],"description":"List of keywords. Items are used as contents of the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/kwd.html) element; the elements are grouped in a [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/kwd-group.html) with the [`kwd-group-type`](https://jats.nlm.nih.gov/publishing/tag-library/1.2/attribute/kwd-group-type.html) value `author`."},"documentation":"List of keywords. Items are used as contents of the <kwd>\nelement; the elements are grouped in a <kwd-group>\nwith the kwd-group-type\nvalue author.","$id":"quarto-resource-document-attributes-tags"},"quarto-resource-document-attributes-doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Displays the document Digital Object Identifier in the header."},"documentation":"Displays the document Digital Object Identifier in the header.","$id":"quarto-resource-document-attributes-doi"},"quarto-resource-document-attributes-thanks":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"The contents of an acknowledgments footnote after the document title."},"documentation":"The contents of an acknowledgments footnote after the document\ntitle.","$id":"quarto-resource-document-attributes-thanks"},"quarto-resource-document-attributes-order":{"type":"number","description":"be a number","documentation":"Order for document when included in a website automatic sidebar\nmenu.","tags":{"description":"Order for document when included in a website automatic sidebar menu."},"$id":"quarto-resource-document-attributes-order"},"quarto-resource-document-citation-citation":{"_internalId":3385,"type":"anyOf","anyOf":[{"_internalId":3382,"type":"ref","$ref":"citation-item","description":"be citation-item"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: citation-item, `true` or `false`","documentation":"Citation information for the document itself.","tags":{"description":{"short":"Citation information for the document itself.","long":"Citation information for the document itself specified as [CSL](https://docs.citationstyles.org/en/stable/specification.html) \nYAML in the document front matter.\n\nFor more on supported options, see [Citation Metadata](https://quarto.org/docs/reference/metadata/citation.html).\n"}},"$id":"quarto-resource-document-citation-citation"},"quarto-resource-document-code-code-copy":{"_internalId":3393,"type":"anyOf","anyOf":[{"_internalId":3390,"type":"enum","enum":["hover"],"description":"be 'hover'","completions":["hover"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: 'hover', `true` or `false`","tags":{"formats":["$html-all"],"description":{"short":"Enable a code copy icon for code blocks.","long":"Enable a code copy icon for code blocks. \n\n- `true`: Always show the icon\n- `false`: Never show the icon\n- `hover` (default): Show the icon when the mouse hovers over the code block\n"}},"documentation":"Enable a code copy icon for code blocks.","$id":"quarto-resource-document-code-code-copy"},"quarto-resource-document-code-code-link":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","formats":["$html-files"],"description":{"short":"Enables hyper-linking of functions within code blocks \nto their online documentation.\n","long":"Enables hyper-linking of functions within code blocks \nto their online documentation.\n\nCode linking is currently implemented only for the knitr engine \n(via the [downlit](https://downlit.r-lib.org/) package). \nA limitation of downlit currently prevents code linking \nif `code-line-numbers` is also `true`.\n"}},"documentation":"Enables hyper-linking of functions within code blocks to their online\ndocumentation.","$id":"quarto-resource-document-code-code-link"},"quarto-resource-document-code-code-annotations":{"_internalId":3403,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3402,"type":"enum","enum":["hover","select","below","none"],"description":"be one of: `hover`, `select`, `below`, `none`","completions":["hover","select","below","none"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `hover`, `select`, `below`, `none`","documentation":"The style to use when displaying code annotations","tags":{"description":{"short":"The style to use when displaying code annotations","long":"The style to use when displaying code annotations. Set this value\nto false to hide code annotations.\n"}},"$id":"quarto-resource-document-code-code-annotations"},"quarto-resource-document-code-code-tools":{"_internalId":3422,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3421,"type":"object","description":"be an object","properties":{"source":{"_internalId":3416,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string"},"toggle":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},"caption":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["$html-doc"],"description":{"short":"Include a code tools menu (for hiding and showing code).","long":"Include a code tools menu (for hiding and showing code).\nUse `true` or `false` to enable or disable the standard code \ntools menu. Specify sub-properties `source`, `toggle`, and\n`caption` to customize the behavior and appearance of code tools.\n"}},"documentation":"Include a code tools menu (for hiding and showing code).","$id":"quarto-resource-document-code-code-tools"},"quarto-resource-document-code-code-block-border-left":{"_internalId":3429,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc","$pdf-all"],"description":{"short":"Show a thick left border on code blocks.","long":"Specifies to apply a left border on code blocks. Provide a hex color to specify that the border is\nenabled as well as the color of the border.\n"}},"documentation":"Show a thick left border on code blocks.","$id":"quarto-resource-document-code-code-block-border-left"},"quarto-resource-document-code-code-block-bg":{"_internalId":3436,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc","$pdf-all"],"description":{"short":"Show a background color for code blocks.","long":"Specifies to apply a background color on code blocks. Provide a hex color to specify that the background color is\nenabled as well as the color of the background.\n"}},"documentation":"Show a background color for code blocks.","$id":"quarto-resource-document-code-code-block-bg"},"quarto-resource-document-code-highlight-style":{"_internalId":3448,"type":"anyOf","anyOf":[{"_internalId":3445,"type":"object","description":"be an object","properties":{"light":{"type":"string","description":"be a string"},"dark":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true},{"type":"string","description":"be a string","completions":["a11y","arrow","atom-one","ayu","ayu-mirage","breeze","breezedark","dracula","espresso","github","gruvbox","haddock","kate","monochrome","monokai","none","nord","oblivion","printing","pygments","radical","solarized","tango","vim-dark","zenburn"]}],"description":"be at least one of: an object, a string","tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":{"short":"Specifies the coloring style to be used in highlighted source code.","long":"Specifies the coloring style to be used in highlighted source code.\n\nInstead of a *STYLE* name, a JSON file with extension\n` .theme` may be supplied. This will be parsed as a KDE\nsyntax highlighting theme and (if valid) used as the\nhighlighting style.\n"}},"documentation":"Specifies the coloring style to be used in highlighted source\ncode.","$id":"quarto-resource-document-code-highlight-style"},"quarto-resource-document-code-syntax-definition":{"type":"string","description":"be a string","tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":"KDE language syntax definition file (XML)","hidden":true},"documentation":"KDE language syntax definition file (XML)","$id":"quarto-resource-document-code-syntax-definition"},"quarto-resource-document-code-syntax-definitions":{"_internalId":3455,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":"KDE language syntax definition files (XML)"},"documentation":"KDE language syntax definition files (XML)","$id":"quarto-resource-document-code-syntax-definitions"},"quarto-resource-document-code-listings":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":{"short":"Use the listings package for LaTeX code blocks.","long":"Use the `listings` package for LaTeX code blocks. The package\ndoes not support multi-byte encoding for source code. To handle UTF-8\nyou would need to use a custom template. This issue is fully\ndocumented here: [Encoding issue with the listings package](https://en.wikibooks.org/wiki/LaTeX/Source_Code_Listings#Encoding_issue)\n"}},"documentation":"Use the listings package for LaTeX code blocks.","$id":"quarto-resource-document-code-listings"},"quarto-resource-document-code-indented-code-classes":{"_internalId":3462,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":"Specify classes to use for all indented code blocks"},"documentation":"Specify classes to use for all indented code blocks","$id":"quarto-resource-document-code-indented-code-classes"},"quarto-resource-document-colors-fontcolor":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Sets the CSS `color` property."},"documentation":"Sets the CSS color property.","$id":"quarto-resource-document-colors-fontcolor"},"quarto-resource-document-colors-linkcolor":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all"],"description":{"short":"Sets the color of hyperlinks in the document.","long":"For HTML output, sets the CSS `color` property on all links.\n\nFor LaTeX output, The color used for internal links using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n\nFor ConTeXt output, sets the color for both external links and links within the document.\n"}},"documentation":"Sets the color of hyperlinks in the document.","$id":"quarto-resource-document-colors-linkcolor"},"quarto-resource-document-colors-monobackgroundcolor":{"type":"string","description":"be a string","tags":{"formats":["html","html4","html5","slidy","slideous","s5","dzslides"],"description":"Sets the CSS `background-color` property on code elements and adds extra padding."},"documentation":"Sets the CSS background-color property on code elements\nand adds extra padding.","$id":"quarto-resource-document-colors-monobackgroundcolor"},"quarto-resource-document-colors-backgroundcolor":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Sets the CSS `background-color` property on the html element.\n"},"documentation":"Sets the CSS background-color property on the html\nelement.","$id":"quarto-resource-document-colors-backgroundcolor"},"quarto-resource-document-colors-filecolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for external links using color options allowed by `xcolor`","long":"The color used for external links using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"The color used for external links using color options allowed by\nxcolor","$id":"quarto-resource-document-colors-filecolor"},"quarto-resource-document-colors-citecolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for citation links using color options allowed by `xcolor`","long":"The color used for citation links using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"The color used for citation links using color options allowed by\nxcolor","$id":"quarto-resource-document-colors-citecolor"},"quarto-resource-document-colors-urlcolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for linked URLs using color options allowed by `xcolor`","long":"The color used for linked URLs using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"The color used for linked URLs using color options allowed by\nxcolor","$id":"quarto-resource-document-colors-urlcolor"},"quarto-resource-document-colors-toccolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for links in the Table of Contents using color options allowed by `xcolor`","long":"The color used for links in the Table of Contents using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"The color used for links in the Table of Contents using color options\nallowed by xcolor","$id":"quarto-resource-document-colors-toccolor"},"quarto-resource-document-colors-colorlinks":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Add color to link text, automatically enabled if any of \n`linkcolor`, `filecolor`, `citecolor`, `urlcolor`, or `toccolor` are set.\n"},"documentation":"Add color to link text, automatically enabled if any of\nlinkcolor, filecolor, citecolor,\nurlcolor, or toccolor are set.","$id":"quarto-resource-document-colors-colorlinks"},"quarto-resource-document-colors-contrastcolor":{"type":"string","description":"be a string","tags":{"formats":["context"],"description":{"short":"Color for links to other content within the document.","long":"Color for links to other content within the document. \n\nSee [ConTeXt Color](https://wiki.contextgarden.net/Color) for additional information.\n"}},"documentation":"Color for links to other content within the document.","$id":"quarto-resource-document-colors-contrastcolor"},"quarto-resource-document-comments-comments":{"_internalId":3485,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration","tags":{"formats":["$html-files"],"description":"Configuration for document commenting."},"documentation":"Configuration for document commenting.","$id":"quarto-resource-document-comments-comments"},"quarto-resource-document-crossref-crossref":{"_internalId":3631,"type":"anyOf","anyOf":[{"_internalId":3490,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":3630,"type":"object","description":"be an object","properties":{"custom":{"_internalId":3518,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":3517,"type":"object","description":"be an object","properties":{"kind":{"_internalId":3499,"type":"enum","enum":["float"],"description":"be 'float'","completions":["float"],"exhaustiveCompletions":true,"tags":{"description":"The kind of cross reference (currently only \"float\" is supported)."},"documentation":"The kind of cross reference (currently only “float” is\nsupported)."},"reference-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used in rendered references when referencing this type."},"documentation":"The prefix used in rendered references when referencing this\ntype."},"caption-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used in rendered captions when referencing this type. If omitted, the field `reference-prefix` is used."},"documentation":"The prefix used in rendered captions when referencing this type. If\nomitted, the field reference-prefix is used."},"space-before-numbering":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"If false, use no space between crossref prefixes and numbering."},"documentation":"If false, use no space between crossref prefixes and numbering."},"key":{"type":"string","description":"be a string","tags":{"description":"The key used to prefix reference labels of this type, such as \"fig\", \"tbl\", \"lst\", etc."},"documentation":"The key used to prefix reference labels of this type, such as “fig”,\n“tbl”, “lst”, etc."},"latex-env":{"type":"string","description":"be a string","tags":{"description":"In LaTeX output, the name of the custom environment to be used."},"documentation":"In LaTeX output, the name of the custom environment to be used."},"latex-list-of-file-extension":{"type":"string","description":"be a string","tags":{"description":"In LaTeX output, the extension of the auxiliary file used by LaTeX to collect names to be used in the custom \"list of\" command. If omitted, a string with prefix `lo` and suffix with the value of `ref-type` is used."},"documentation":"In LaTeX output, the extension of the auxiliary file used by LaTeX to\ncollect names to be used in the custom “list of” command. If omitted, a\nstring with prefix lo and suffix with the value of\nref-type is used."},"latex-list-of-description":{"type":"string","description":"be a string","tags":{"description":"The description of the crossreferenceable object to be used in the title of the \"list of\" command. If omitted, the field `reference-prefix` is used."},"documentation":"The description of the crossreferenceable object to be used in the\ntitle of the “list of” command. If omitted, the field\nreference-prefix is used."},"caption-location":{"_internalId":3516,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"description":"The location of the caption relative to the crossreferenceable content."},"documentation":"The location of the caption relative to the crossreferenceable\ncontent."}},"patternProperties":{},"required":["kind","reference-prefix","key"],"closed":true,"tags":{"description":"A custom cross reference type. See [Custom](https://quarto.org/docs/reference/metadata/crossref.html#custom) for more details."},"documentation":"A custom cross reference type. See Custom\nfor more details."}},"chapters":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Use top level sections (H1) in this document as chapters."},"documentation":"Use top level sections (H1) in this document as chapters."},"title-delim":{"type":"string","description":"be a string","tags":{"description":"The delimiter used between the prefix and the caption."},"documentation":"The delimiter used between the prefix and the caption."},"fig-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for figure captions."},"documentation":"The title prefix used for figure captions."},"tbl-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for table captions."},"documentation":"The title prefix used for table captions."},"eq-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for equation captions."},"documentation":"The title prefix used for equation captions."},"lst-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for listing captions."},"documentation":"The title prefix used for listing captions."},"thm-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for theorem captions."},"documentation":"The title prefix used for theorem captions."},"lem-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for lemma captions."},"documentation":"The title prefix used for lemma captions."},"cor-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for corollary captions."},"documentation":"The title prefix used for corollary captions."},"prp-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for proposition captions."},"documentation":"The title prefix used for proposition captions."},"cnj-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for conjecture captions."},"documentation":"The title prefix used for conjecture captions."},"def-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for definition captions."},"documentation":"The title prefix used for definition captions."},"exm-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for example captions."},"documentation":"The title prefix used for example captions."},"exr-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for exercise captions."},"documentation":"The title prefix used for exercise captions."},"fig-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a figure."},"documentation":"The prefix used for an inline reference to a figure."},"tbl-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a table."},"documentation":"The prefix used for an inline reference to a table."},"eq-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to an equation."},"documentation":"The prefix used for an inline reference to an equation."},"sec-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a section."},"documentation":"The prefix used for an inline reference to a section."},"lst-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a listing."},"documentation":"The prefix used for an inline reference to a listing."},"thm-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a theorem."},"documentation":"The prefix used for an inline reference to a theorem."},"lem-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a lemma."},"documentation":"The prefix used for an inline reference to a lemma."},"cor-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a corollary."},"documentation":"The prefix used for an inline reference to a corollary."},"prp-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a proposition."},"documentation":"The prefix used for an inline reference to a proposition."},"cnj-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a conjecture."},"documentation":"The prefix used for an inline reference to a conjecture."},"def-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a definition."},"documentation":"The prefix used for an inline reference to a definition."},"exm-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to an example."},"documentation":"The prefix used for an inline reference to an example."},"exr-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to an exercise."},"documentation":"The prefix used for an inline reference to an exercise."},"fig-labels":{"_internalId":3575,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for figures."},"documentation":"The numbering scheme used for figures."},"tbl-labels":{"_internalId":3578,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for tables."},"documentation":"The numbering scheme used for tables."},"eq-labels":{"_internalId":3581,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for equations."},"documentation":"The numbering scheme used for equations."},"sec-labels":{"_internalId":3584,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for sections."},"documentation":"The numbering scheme used for sections."},"lst-labels":{"_internalId":3587,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for listings."},"documentation":"The numbering scheme used for listings."},"thm-labels":{"_internalId":3590,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for theorems."},"documentation":"The numbering scheme used for theorems."},"lem-labels":{"_internalId":3593,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for lemmas."},"documentation":"The numbering scheme used for lemmas."},"cor-labels":{"_internalId":3596,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for corollaries."},"documentation":"The numbering scheme used for corollaries."},"prp-labels":{"_internalId":3599,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for propositions."},"documentation":"The numbering scheme used for propositions."},"cnj-labels":{"_internalId":3602,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for conjectures."},"documentation":"The numbering scheme used for conjectures."},"def-labels":{"_internalId":3605,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for definitions."},"documentation":"The numbering scheme used for definitions."},"exm-labels":{"_internalId":3608,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for examples."},"documentation":"The numbering scheme used for examples."},"exr-labels":{"_internalId":3611,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for exercises."},"documentation":"The numbering scheme used for exercises."},"lof-title":{"type":"string","description":"be a string","tags":{"description":"The title used for the list of figures."},"documentation":"The title used for the list of figures."},"lot-title":{"type":"string","description":"be a string","tags":{"description":"The title used for the list of tables."},"documentation":"The title used for the list of tables."},"lol-title":{"type":"string","description":"be a string","tags":{"description":"The title used for the list of listings."},"documentation":"The title used for the list of listings."},"labels":{"_internalId":3620,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The number scheme used for references."},"documentation":"The number scheme used for references."},"subref-labels":{"_internalId":3623,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The number scheme used for sub references."},"documentation":"The number scheme used for sub references."},"ref-hyperlink":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether cross references should be hyper-linked."},"documentation":"Whether cross references should be hyper-linked."},"appendix-title":{"type":"string","description":"be a string","tags":{"description":"The title used for appendix."},"documentation":"The title used for appendix."},"appendix-delim":{"type":"string","description":"be a string","tags":{"description":"The delimiter beween appendix number and title."},"documentation":"The delimiter beween appendix number and title."}},"patternProperties":{},"closed":true}],"description":"be at least one of: 'false', an object","documentation":"Configuration for cross-reference labels and prefixes.","tags":{"description":{"short":"Configuration for cross-reference labels and prefixes.","long":"Configuration for cross-reference labels and prefixes. See [Cross-Reference Options](https://quarto.org/docs/reference/metadata/crossref.html) for more details."}},"$id":"quarto-resource-document-crossref-crossref"},"quarto-resource-document-crossref-crossrefs-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables a hover popup for cross references that shows the item being referenced."},"documentation":"Enables a hover popup for cross references that shows the item being\nreferenced.","$id":"quarto-resource-document-crossref-crossrefs-hover"},"quarto-resource-document-dashboard-logo":{"_internalId":3636,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"formats":["dashboard"],"description":"Logo image(s) (placed on the left side of the navigation bar)"},"documentation":"Logo image(s) (placed on the left side of the navigation bar)","$id":"quarto-resource-document-dashboard-logo"},"quarto-resource-document-dashboard-orientation":{"_internalId":3639,"type":"enum","enum":["rows","columns"],"description":"be one of: `rows`, `columns`","completions":["rows","columns"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":"Default orientation for dashboard content (default `rows`)"},"documentation":"Default orientation for dashboard content (default\nrows)","$id":"quarto-resource-document-dashboard-orientation"},"quarto-resource-document-dashboard-scrolling":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":"Use scrolling rather than fill layout (default: `false`)"},"documentation":"Use scrolling rather than fill layout (default:\nfalse)","$id":"quarto-resource-document-dashboard-scrolling"},"quarto-resource-document-dashboard-expandable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":"Make card content expandable (default: `true`)"},"documentation":"Make card content expandable (default: true)","$id":"quarto-resource-document-dashboard-expandable"},"quarto-resource-document-dashboard-nav-buttons":{"_internalId":3669,"type":"anyOf","anyOf":[{"_internalId":3667,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3666,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string"},"href":{"type":"string","description":"be a string"},"icon":{"type":"string","description":"be a string"},"rel":{"type":"string","description":"be a string"},"target":{"type":"string","description":"be a string"},"title":{"type":"string","description":"be a string"},"aria-label":{"type":"string","description":"be a string"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention text,href,icon,rel,target,title,aria-label","type":"string","pattern":"(?!(^aria_label$|^ariaLabel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object"},{"_internalId":3668,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":3667,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3666,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string"},"href":{"type":"string","description":"be a string"},"icon":{"type":"string","description":"be a string"},"rel":{"type":"string","description":"be a string"},"target":{"type":"string","description":"be a string"},"title":{"type":"string","description":"be a string"},"aria-label":{"type":"string","description":"be a string"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention text,href,icon,rel,target,title,aria-label","type":"string","pattern":"(?!(^aria_label$|^ariaLabel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"formats":["dashboard"],"description":"Links to display on the dashboard navigation bar"},"documentation":"Links to display on the dashboard navigation bar","$id":"quarto-resource-document-dashboard-nav-buttons"},"quarto-resource-document-editor-editor":{"_internalId":3710,"type":"anyOf","anyOf":[{"_internalId":3674,"type":"enum","enum":["source","visual"],"description":"be one of: `source`, `visual`","completions":["source","visual"],"exhaustiveCompletions":true},{"_internalId":3709,"type":"object","description":"be an object","properties":{"mode":{"_internalId":3679,"type":"enum","enum":["source","visual"],"description":"be one of: `source`, `visual`","completions":["source","visual"],"exhaustiveCompletions":true,"tags":{"description":"Default editing mode for document"},"documentation":"Default editing mode for document"},"markdown":{"_internalId":3704,"type":"object","description":"be an object","properties":{"wrap":{"_internalId":3689,"type":"anyOf","anyOf":[{"_internalId":3686,"type":"enum","enum":["sentence","none"],"description":"be one of: `sentence`, `none`","completions":["sentence","none"],"exhaustiveCompletions":true},{"type":"number","description":"be a number"}],"description":"be at least one of: one of: `sentence`, `none`, a number","tags":{"description":"A column number (e.g. 72), `sentence`, or `none`"},"documentation":"A column number (e.g. 72), sentence, or\nnone"},"canonical":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Write standard visual editor markdown from source mode."},"documentation":"Write standard visual editor markdown from source mode."},"references":{"_internalId":3703,"type":"object","description":"be an object","properties":{"location":{"_internalId":3698,"type":"enum","enum":["block","section","document"],"description":"be one of: `block`, `section`, `document`","completions":["block","section","document"],"exhaustiveCompletions":true,"tags":{"description":"Location to write references (`block`, `section`, or `document`)"},"documentation":"Location to write references (block,\nsection, or document)"},"links":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Write markdown links as references rather than inline."},"documentation":"Write markdown links as references rather than inline."},"prefix":{"type":"string","description":"be a string","tags":{"description":"Unique prefix for references (`none` to prevent automatic prefixes)"},"documentation":"Unique prefix for references (none to prevent automatic\nprefixes)"}},"patternProperties":{},"tags":{"description":"Reference writing options for visual editor"},"documentation":"Reference writing options for visual editor"}},"patternProperties":{},"tags":{"description":"Markdown writing options for visual editor"},"documentation":"Markdown writing options for visual editor"},"render-on-save":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":["jupyter"],"description":"Automatically re-render for preview whenever document is saved (note that this requires a preview\nfor the saved document be already running). This option currently works only within VS Code.\n"},"documentation":"Automatically re-render for preview whenever document is saved (note\nthat this requires a preview for the saved document be already running).\nThis option currently works only within VS Code."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention mode,markdown,render-on-save","type":"string","pattern":"(?!(^render_on_save$|^renderOnSave$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true,"hidden":true},"completions":[]}],"description":"be at least one of: one of: `source`, `visual`, an object","documentation":"Visual editor configuration","tags":{"description":"Visual editor configuration"},"$id":"quarto-resource-document-editor-editor"},"quarto-resource-document-editor-zotero":{"_internalId":3721,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3720,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3719,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: a string, an array of values, where each element must be a string","documentation":"Enable (true) or disable (false) Zotero for\na document. Alternatively, provide a list of one or more Zotero group\nlibraries to use with the document.","tags":{"description":"Enable (`true`) or disable (`false`) Zotero for a document. Alternatively, provide a list of one or\nmore Zotero group libraries to use with the document.\n"},"$id":"quarto-resource-document-editor-zotero"},"quarto-resource-document-epub-identifier":{"_internalId":3734,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3733,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The identifier value."},"documentation":"The identifier value."},"schema":{"_internalId":3732,"type":"enum","enum":["ISBN-10","GTIN-13","UPC","ISMN-10","DOI","LCCN","GTIN-14","ISBN-13","Legal deposit number","URN","OCLC","ISMN-13","ISBN-A","JP","OLCC"],"description":"be one of: `ISBN-10`, `GTIN-13`, `UPC`, `ISMN-10`, `DOI`, `LCCN`, `GTIN-14`, `ISBN-13`, `Legal deposit number`, `URN`, `OCLC`, `ISMN-13`, `ISBN-A`, `JP`, `OLCC`","completions":["ISBN-10","GTIN-13","UPC","ISMN-10","DOI","LCCN","GTIN-14","ISBN-13","Legal deposit number","URN","OCLC","ISMN-13","ISBN-A","JP","OLCC"],"exhaustiveCompletions":true,"tags":{"description":"The identifier schema (e.g. `DOI`, `ISBN-A`, etc.)"},"documentation":"The identifier schema (e.g. DOI, ISBN-A,\netc.)"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","tags":{"formats":["$epub-all"],"description":"The identifier for this publication."},"documentation":"The identifier for this publication.","$id":"quarto-resource-document-epub-identifier"},"quarto-resource-document-epub-creator":{"_internalId":3737,"type":"ref","$ref":"epub-contributor","description":"be epub-contributor","tags":{"formats":["$epub-all"],"description":"Creators of this publication."},"documentation":"Creators of this publication.","$id":"quarto-resource-document-epub-creator"},"quarto-resource-document-epub-contributor":{"_internalId":3740,"type":"ref","$ref":"epub-contributor","description":"be epub-contributor","tags":{"formats":["$epub-all"],"description":"Contributors to this publication."},"documentation":"Contributors to this publication.","$id":"quarto-resource-document-epub-contributor"},"quarto-resource-document-epub-subject":{"_internalId":3754,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3753,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The subject text."},"documentation":"The subject text."},"authority":{"type":"string","description":"be a string","tags":{"description":"An EPUB reserved authority value."},"documentation":"An EPUB reserved authority value."},"term":{"type":"string","description":"be a string","tags":{"description":"The subject term (defined by the schema)."},"documentation":"The subject term (defined by the schema)."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","tags":{"formats":["$epub-all"],"description":"The subject of the publication."},"documentation":"The subject of the publication.","$id":"quarto-resource-document-epub-subject"},"quarto-resource-document-epub-type":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":{"short":"Text describing the specialized type of this publication.","long":"Text describing the specialized type of this publication.\n\nAn informative registry of specialized EPUB Publication \ntypes for use with this element is maintained in the \n[TypesRegistry](https://www.w3.org/publishing/epub32/epub-packages.html#bib-typesregistry), \nbut Authors may use any text string as a value.\n"}},"documentation":"Text describing the specialized type of this publication.","$id":"quarto-resource-document-epub-type"},"quarto-resource-document-epub-format":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the format of this publication."},"documentation":"Text describing the format of this publication.","$id":"quarto-resource-document-epub-format"},"quarto-resource-document-epub-relation":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the relation of this publication."},"documentation":"Text describing the relation of this publication.","$id":"quarto-resource-document-epub-relation"},"quarto-resource-document-epub-coverage":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the coverage of this publication."},"documentation":"Text describing the coverage of this publication.","$id":"quarto-resource-document-epub-coverage"},"quarto-resource-document-epub-rights":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the rights of this publication."},"documentation":"Text describing the rights of this publication.","$id":"quarto-resource-document-epub-rights"},"quarto-resource-document-epub-belongs-to-collection":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Identifies the name of a collection to which the EPUB Publication belongs."},"documentation":"Identifies the name of a collection to which the EPUB Publication\nbelongs.","$id":"quarto-resource-document-epub-belongs-to-collection"},"quarto-resource-document-epub-group-position":{"type":"number","description":"be a number","tags":{"formats":["$epub-all"],"description":"Indicates the numeric position in which this publication \nbelongs relative to other works belonging to the same \n`belongs-to-collection` field.\n"},"documentation":"Indicates the numeric position in which this publication belongs\nrelative to other works belonging to the same\nbelongs-to-collection field.","$id":"quarto-resource-document-epub-group-position"},"quarto-resource-document-epub-page-progression-direction":{"_internalId":3771,"type":"enum","enum":["ltr","rtl"],"description":"be one of: `ltr`, `rtl`","completions":["ltr","rtl"],"exhaustiveCompletions":true,"tags":{"formats":["$epub-all"],"description":"Sets the global direction in which content flows (`ltr` or `rtl`)"},"documentation":"Sets the global direction in which content flows (ltr or\nrtl)","$id":"quarto-resource-document-epub-page-progression-direction"},"quarto-resource-document-epub-ibooks":{"_internalId":3781,"type":"object","description":"be an object","properties":{"version":{"type":"string","description":"be a string","tags":{"description":"What is new in this version of the book."},"documentation":"What is new in this version of the book."},"specified-fonts":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this book provides embedded fonts in a flowing or fixed layout book."},"documentation":"Whether this book provides embedded fonts in a flowing or fixed\nlayout book."},"scroll-axis":{"_internalId":3780,"type":"enum","enum":["vertical","horizontal","default"],"description":"be one of: `vertical`, `horizontal`, `default`","completions":["vertical","horizontal","default"],"exhaustiveCompletions":true,"tags":{"description":"The scroll direction for this book (`vertical`, `horizontal`, or `default`)"},"documentation":"The scroll direction for this book (vertical,\nhorizontal, or default)"}},"patternProperties":{},"closed":true,"tags":{"formats":["$epub-all"],"description":"iBooks specific metadata options."},"documentation":"iBooks specific metadata options.","$id":"quarto-resource-document-epub-ibooks"},"quarto-resource-document-epub-epub-metadata":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":{"short":"Look in the specified XML file for metadata for the EPUB.\nThe file should contain a series of [Dublin Core elements](https://www.dublincore.org/specifications/dublin-core/dces/).\n","long":"Look in the specified XML file for metadata for the EPUB.\nThe file should contain a series of [Dublin Core elements](https://www.dublincore.org/specifications/dublin-core/dces/).\nFor example:\n\n```xml\nCreative Commons\nes-AR\n```\n\nBy default, pandoc will include the following metadata elements:\n`` (from the document title), `` (from the\ndocument authors), `` (from the document date, which should\nbe in [ISO 8601 format]), `` (from the `lang`\nvariable, or, if is not set, the locale), and `` (a randomly generated UUID). Any of these may be\noverridden by elements in the metadata file.\n\nNote: if the source document is Markdown, a YAML metadata block\nin the document can be used instead.\n"}},"documentation":"Look in the specified XML file for metadata for the EPUB. The file\nshould contain a series of Dublin\nCore elements.","$id":"quarto-resource-document-epub-epub-metadata"},"quarto-resource-document-epub-epub-subdirectory":{"_internalId":3790,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, the null value","tags":{"formats":["$epub-all"],"description":"Specify the subdirectory in the OCF container that is to hold the\nEPUB-specific contents. The default is `EPUB`. To put the EPUB \ncontents in the top level, use an empty string.\n"},"documentation":"Specify the subdirectory in the OCF container that is to hold the\nEPUB-specific contents. The default is EPUB. To put the\nEPUB contents in the top level, use an empty string.","$id":"quarto-resource-document-epub-epub-subdirectory"},"quarto-resource-document-epub-epub-fonts":{"_internalId":3795,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$epub-all"],"description":{"short":"Embed the specified fonts in the EPUB","long":"Embed the specified fonts in the EPUB. Wildcards can also be used: for example,\n`DejaVuSans-*.ttf`. To use the embedded fonts, you will need to add declarations\nlike the following to your CSS:\n\n```css\n@font-face {\n font-family: DejaVuSans;\n font-style: normal;\n font-weight: normal;\n src:url(\"DejaVuSans-Regular.ttf\");\n}\n```\n"}},"documentation":"Embed the specified fonts in the EPUB","$id":"quarto-resource-document-epub-epub-fonts"},"quarto-resource-document-epub-epub-chapter-level":{"type":"number","description":"be a number","tags":{"formats":["$epub-all"],"description":{"short":"Specify the heading level at which to split the EPUB into separate\nchapter files.\n","long":"Specify the heading level at which to split the EPUB into separate\nchapter files. The default is to split into chapters at level-1\nheadings. This option only affects the internal composition of the\nEPUB, not the way chapters and sections are displayed to users. Some\nreaders may be slow if the chapter files are too large, so for large\ndocuments with few level-1 headings, one might want to use a chapter\nlevel of 2 or 3.\n"}},"documentation":"Specify the heading level at which to split the EPUB into separate\nchapter files.","$id":"quarto-resource-document-epub-epub-chapter-level"},"quarto-resource-document-epub-epub-cover-image":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Use the specified image as the EPUB cover. It is recommended\nthat the image be less than 1000px in width and height.\n"},"documentation":"Use the specified image as the EPUB cover. It is recommended that the\nimage be less than 1000px in width and height.","$id":"quarto-resource-document-epub-epub-cover-image"},"quarto-resource-document-epub-epub-title-page":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$epub-all"],"description":"If false, disables the generation of a title page."},"documentation":"If false, disables the generation of a title page.","$id":"quarto-resource-document-epub-epub-title-page"},"quarto-resource-document-execute-engine":{"type":"string","description":"be a string","completions":["jupyter","knitr","julia"],"documentation":"Engine used for executable code blocks.","tags":{"description":"Engine used for executable code blocks."},"$id":"quarto-resource-document-execute-engine"},"quarto-resource-document-execute-jupyter":{"_internalId":3822,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"},{"_internalId":3821,"type":"object","description":"be an object","properties":{"kernelspec":{"_internalId":3820,"type":"object","description":"be an object","properties":{"display_name":{"type":"string","description":"be a string","tags":{"description":"The name to display in the UI."},"documentation":"The name to display in the UI."},"language":{"type":"string","description":"be a string","tags":{"description":"The name of the language the kernel implements."},"documentation":"The name of the language the kernel implements."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of the kernel."},"documentation":"The name of the kernel."}},"patternProperties":{},"required":["display_name","language","name"],"propertyNames":{"errorMessage":"property ${value} does not match case convention display_name,language,name","type":"string","pattern":"(?!(^display-name$|^displayName$))","tags":{"case-convention":["underscore_case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["underscore_case"],"error-importance":-5,"case-detection":true}}},"patternProperties":{},"completions":[],"tags":{"hidden":true}}],"description":"be at least one of: `true` or `false`, a string, an object","documentation":"Configures the Jupyter engine.","tags":{"description":"Configures the Jupyter engine."},"$id":"quarto-resource-document-execute-jupyter"},"quarto-resource-document-execute-julia":{"_internalId":3839,"type":"object","description":"be an object","properties":{"exeflags":{"_internalId":3831,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Arguments to pass to the Julia worker process."},"documentation":"Arguments to pass to the Julia worker process."},"env":{"_internalId":3838,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Environment variables to pass to the Julia worker process."},"documentation":"Environment variables to pass to the Julia worker process."}},"patternProperties":{},"documentation":"Configures the Julia engine.","tags":{"description":"Configures the Julia engine."},"$id":"quarto-resource-document-execute-julia"},"quarto-resource-document-execute-knitr":{"_internalId":3853,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3852,"type":"object","description":"be an object","properties":{"opts_knit":{"_internalId":3848,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Knit options."},"documentation":"Knit options."},"opts_chunk":{"_internalId":3851,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Knitr chunk options."},"documentation":"Knitr chunk options."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","documentation":"Set Knitr options.","tags":{"description":"Set Knitr options."},"$id":"quarto-resource-document-execute-knitr"},"quarto-resource-document-execute-cache":{"_internalId":3861,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3860,"type":"enum","enum":["refresh"],"description":"be 'refresh'","completions":["refresh"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'refresh'","tags":{"execute-only":true,"description":{"short":"Cache results of computations.","long":"Cache results of computations (using the [knitr cache](https://yihui.org/knitr/demo/cache/) \nfor R documents, and [Jupyter Cache](https://jupyter-cache.readthedocs.io/en/latest/) \nfor Jupyter documents).\n\nNote that cache invalidation is triggered by changes in chunk source code \n(or other cache attributes you've defined). \n\n- `true`: Cache results\n- `false`: Do not cache results\n- `refresh`: Force a refresh of the cache even if has not been otherwise invalidated.\n"}},"documentation":"Cache results of computations.","$id":"quarto-resource-document-execute-cache"},"quarto-resource-document-execute-freeze":{"_internalId":3869,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3868,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'auto'","tags":{"execute-only":true,"description":{"short":"Re-use previous computational output when rendering","long":"Control the re-use of previous computational output when rendering.\n\n- `true`: Never recompute previously generated computational output during a global project render\n- `false` (default): Recompute previously generated computational output\n- `auto`: Re-compute previously generated computational output only in case their source file changes\n"}},"documentation":"Re-use previous computational output when rendering","$id":"quarto-resource-document-execute-freeze"},"quarto-resource-document-execute-server":{"_internalId":3893,"type":"anyOf","anyOf":[{"_internalId":3874,"type":"enum","enum":["shiny"],"description":"be 'shiny'","completions":["shiny"],"exhaustiveCompletions":true},{"_internalId":3892,"type":"object","description":"be an object","properties":{"type":{"_internalId":3879,"type":"enum","enum":["shiny"],"description":"be 'shiny'","completions":["shiny"],"exhaustiveCompletions":true,"tags":{"description":"Type of server to run behind the document (e.g. `shiny`)"},"documentation":"Type of server to run behind the document\n(e.g. shiny)"},"ojs-export":{"_internalId":3885,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3884,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"OJS variables to export to server."},"documentation":"OJS variables to export to server."},"ojs-import":{"_internalId":3891,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3890,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Server reactive values to import into OJS."},"documentation":"Server reactive values to import into OJS."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,ojs-export,ojs-import","type":"string","pattern":"(?!(^ojs_export$|^ojsExport$|^ojs_import$|^ojsImport$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: 'shiny', an object","documentation":"Document server","tags":{"description":"Document server","hidden":true},"$id":"quarto-resource-document-execute-server"},"quarto-resource-document-execute-daemon":{"_internalId":3900,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a number, `true` or `false`","documentation":"Run Jupyter kernels within a peristent daemon (to mitigate kernel\nstartup time).","tags":{"description":{"short":"Run Jupyter kernels within a peristent daemon (to mitigate kernel startup time).","long":"Run Jupyter kernels within a peristent daemon (to mitigate kernel startup time).\nBy default a daemon with a timeout of 300 seconds will be used. Set `daemon`\nto another timeout value or to `false` to disable it altogether.\n"},"hidden":true},"$id":"quarto-resource-document-execute-daemon"},"quarto-resource-document-execute-daemon-restart":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Restart any running Jupyter daemon before rendering.","tags":{"description":"Restart any running Jupyter daemon before rendering.","hidden":true},"$id":"quarto-resource-document-execute-daemon-restart"},"quarto-resource-document-execute-enabled":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Enable code cell execution.","tags":{"description":"Enable code cell execution.","hidden":true},"$id":"quarto-resource-document-execute-enabled"},"quarto-resource-document-execute-ipynb":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Execute code cell execution in Jupyter notebooks.","tags":{"description":"Execute code cell execution in Jupyter notebooks.","hidden":true},"$id":"quarto-resource-document-execute-ipynb"},"quarto-resource-document-execute-debug":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Show code-execution related debug information.","tags":{"description":"Show code-execution related debug information.","hidden":true},"$id":"quarto-resource-document-execute-debug"},"quarto-resource-document-figures-fig-width":{"type":"number","description":"be a number","documentation":"Default width for figures generated by Matplotlib or R graphics","tags":{"description":{"short":"Default width for figures generated by Matplotlib or R graphics","long":"Default width for figures generated by Matplotlib or R graphics.\n\nNote that with the Jupyter engine, this option has no effect when\nprovided at the cell level; it can only be provided with\ndocument or project metadata.\n"}},"$id":"quarto-resource-document-figures-fig-width"},"quarto-resource-document-figures-fig-height":{"type":"number","description":"be a number","documentation":"Default height for figures generated by Matplotlib or R graphics","tags":{"description":{"short":"Default height for figures generated by Matplotlib or R graphics","long":"Default height for figures generated by Matplotlib or R graphics.\n\nNote that with the Jupyter engine, this option has no effect when\nprovided at the cell level; it can only be provided with\ndocument or project metadata.\n"}},"$id":"quarto-resource-document-figures-fig-height"},"quarto-resource-document-figures-fig-format":{"_internalId":3915,"type":"enum","enum":["retina","png","jpeg","svg","pdf"],"description":"be one of: `retina`, `png`, `jpeg`, `svg`, `pdf`","completions":["retina","png","jpeg","svg","pdf"],"exhaustiveCompletions":true,"documentation":"Default format for figures generated by Matplotlib or R graphics\n(retina, png, jpeg,\nsvg, or pdf)","tags":{"description":"Default format for figures generated by Matplotlib or R graphics (`retina`, `png`, `jpeg`, `svg`, or `pdf`)"},"$id":"quarto-resource-document-figures-fig-format"},"quarto-resource-document-figures-fig-dpi":{"type":"number","description":"be a number","documentation":"Default DPI for figures generated by Matplotlib or R graphics","tags":{"description":{"short":"Default DPI for figures generated by Matplotlib or R graphics","long":"Default DPI for figures generated by Matplotlib or R graphics.\n\nNote that with the Jupyter engine, this option has no effect when\nprovided at the cell level; it can only be provided with\ndocument or project metadata.\n"}},"$id":"quarto-resource-document-figures-fig-dpi"},"quarto-resource-document-figures-fig-asp":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":{"short":"The aspect ratio of the plot, i.e., the ratio of height/width.\n","long":"The aspect ratio of the plot, i.e., the ratio of height/width. When `fig-asp` is specified,\nthe height of a plot (the option `fig-height`) is calculated from `fig-width * fig-asp`.\n\nThe `fig-asp` option is only available within the knitr engine.\n"}},"documentation":"The aspect ratio of the plot, i.e., the ratio of height/width.","$id":"quarto-resource-document-figures-fig-asp"},"quarto-resource-document-figures-fig-responsive":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-all"],"description":"Whether to make images in this document responsive."},"documentation":"Whether to make images in this document responsive.","$id":"quarto-resource-document-figures-fig-responsive"},"quarto-resource-document-fonts-mainfont":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all","typst"],"description":{"short":"Sets the main font for the document.","long":"For HTML output, sets the CSS `font-family` on the HTML element.\n\nFor LaTeX output, the main font family for use with `xelatex` or \n`lualatex`. Takes the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package. \n\nFor ConTeXt output, the main font family. Use the name of any \nsystem font. See [ConTeXt Fonts](https://wiki.contextgarden.net/Fonts) for more\ninformation.\n"}},"documentation":"Sets the main font for the document.","$id":"quarto-resource-document-fonts-mainfont"},"quarto-resource-document-fonts-monofont":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all"],"description":{"short":"Sets the font used for when displaying code.","long":"For HTML output, sets the CSS font-family property on code elements.\n\nFor PowerPoint output, sets the font used for code.\n\nFor LaTeX output, the monospace font family for use with `xelatex` or \n`lualatex`: take the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package. \n\nFor ConTeXt output, the monspace font family. Use the name of any \nsystem font. See [ConTeXt Fonts](https://wiki.contextgarden.net/Fonts) for more\ninformation.\n"}},"documentation":"Sets the font used for when displaying code.","$id":"quarto-resource-document-fonts-monofont"},"quarto-resource-document-fonts-fontsize":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all","typst"],"description":{"short":"Sets the main font size for the document.","long":"For HTML output, sets the base CSS `font-size` property.\n\nFor LaTeX and ConTeXt output, sets the font size for the document body text.\n"}},"documentation":"Sets the main font size for the document.","$id":"quarto-resource-document-fonts-fontsize"},"quarto-resource-document-fonts-fontenc":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"Allows font encoding to be specified through `fontenc` package.","long":"Allows font encoding to be specified through [`fontenc`](https://www.ctan.org/pkg/fontenc) package.\n\nSee [LaTeX Font Encodings Guide](https://ctan.org/pkg/encguide) for addition information on font encoding.\n"}},"documentation":"Allows font encoding to be specified through fontenc\npackage.","$id":"quarto-resource-document-fonts-fontenc"},"quarto-resource-document-fonts-fontfamily":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","ms"],"description":{"short":"Font package to use when compiling a PDF with the `pdflatex` `pdf-engine`.","long":"Font package to use when compiling a PDf with the `pdflatex` `pdf-engine`. \n\nSee [The LaTeX Font Catalogue](https://tug.org/FontCatalogue/) for a \nsummary of font options available.\n\nFor groff (`ms`) files, the font family for example, `T` or `P`.\n"}},"documentation":"Font package to use when compiling a PDF with the\npdflatex pdf-engine.","$id":"quarto-resource-document-fonts-fontfamily"},"quarto-resource-document-fonts-fontfamilyoptions":{"_internalId":3937,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3936,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Options for the package used as `fontfamily`.","long":"Options for the package used as `fontfamily`.\n\nFor example, to use the Libertine font with proportional lowercase\n(old-style) figures through the [`libertinus`](https://ctan.org/pkg/libertinus) package:\n\n```yaml\nfontfamily: libertinus\nfontfamilyoptions:\n - osf\n - p\n```\n"}},"documentation":"Options for the package used as fontfamily.","$id":"quarto-resource-document-fonts-fontfamilyoptions"},"quarto-resource-document-fonts-sansfont":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The sans serif font family for use with `xelatex` or `lualatex`.","long":"The sans serif font family for use with `xelatex` or \n`lualatex`. Takes the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package.\n"}},"documentation":"The sans serif font family for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-sansfont"},"quarto-resource-document-fonts-mathfont":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The math font family for use with `xelatex` or `lualatex`.","long":"The math font family for use with `xelatex` or \n`lualatex`. Takes the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package.\n"}},"documentation":"The math font family for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-mathfont"},"quarto-resource-document-fonts-CJKmainfont":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The CJK main font family for use with `xelatex` or `lualatex`.","long":"The CJK main font family for use with `xelatex` or \n`lualatex` using the [`xecjk`](https://ctan.org/pkg/xecjk) package.\n"}},"documentation":"The CJK main font family for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-CJKmainfont"},"quarto-resource-document-fonts-mainfontoptions":{"_internalId":3949,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3948,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The main font options for use with `xelatex` or `lualatex`.","long":"The main font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n\nFor example, to use the [TeX Gyre](http://www.gust.org.pl/projects/e-foundry/tex-gyre) \nversion of Palatino with lowercase figures:\n\n```yaml\nmainfont: TeX Gyre Pagella\nmainfontoptions:\n - Numbers=Lowercase\n - Numbers=Proportional \n```\n"}},"documentation":"The main font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-mainfontoptions"},"quarto-resource-document-fonts-sansfontoptions":{"_internalId":3955,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3954,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The sans serif font options for use with `xelatex` or `lualatex`.","long":"The sans serif font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"The sans serif font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-sansfontoptions"},"quarto-resource-document-fonts-monofontoptions":{"_internalId":3961,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3960,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The monospace font options for use with `xelatex` or `lualatex`.","long":"The monospace font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"The monospace font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-monofontoptions"},"quarto-resource-document-fonts-mathfontoptions":{"_internalId":3967,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3966,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The math font options for use with `xelatex` or `lualatex`.","long":"The math font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"The math font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-mathfontoptions"},"quarto-resource-document-fonts-font-paths":{"_internalId":3973,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3972,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["typst"],"description":{"short":"Adds additional directories to search for fonts when compiling with Typst.","long":"Locally, Typst uses installed system fonts. In addition, some custom path \ncan be specified to add directories that should be scanned for fonts.\nSetting this configuration will take precedence over any path set in TYPST_FONT_PATHS environment variable.\n"}},"documentation":"Adds additional directories to search for fonts when compiling with\nTypst.","$id":"quarto-resource-document-fonts-font-paths"},"quarto-resource-document-fonts-CJKoptions":{"_internalId":3979,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3978,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The CJK font options for use with `xelatex` or `lualatex`.","long":"The CJK font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"The CJK font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-CJKoptions"},"quarto-resource-document-fonts-microtypeoptions":{"_internalId":3985,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3984,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Options to pass to the microtype package.","long":"Options to pass to the [microtype](https://ctan.org/pkg/microtype) package."}},"documentation":"Options to pass to the microtype package.","$id":"quarto-resource-document-fonts-microtypeoptions"},"quarto-resource-document-fonts-pointsize":{"type":"string","description":"be a string","tags":{"formats":["ms"],"description":"The point size, for example, `10p`."},"documentation":"The point size, for example, 10p.","$id":"quarto-resource-document-fonts-pointsize"},"quarto-resource-document-fonts-lineheight":{"type":"string","description":"be a string","tags":{"formats":["ms"],"description":"The line height, for example, `12p`."},"documentation":"The line height, for example, 12p.","$id":"quarto-resource-document-fonts-lineheight"},"quarto-resource-document-fonts-linestretch":{"_internalId":3996,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["$html-doc","context","$pdf-all"],"description":{"short":"Sets the line height or spacing for text in the document.","long":"For HTML output sets the CSS `line-height` property on the html \nelement, which is preferred to be unitless.\n\nFor LaTeX output, adjusts line spacing using the \n[setspace](https://ctan.org/pkg/setspace) package, e.g. 1.25, 1.5.\n"}},"documentation":"Sets the line height or spacing for text in the document.","$id":"quarto-resource-document-fonts-linestretch"},"quarto-resource-document-fonts-interlinespace":{"_internalId":4002,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4001,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":"Adjusts line spacing using the `\\setupinterlinespace` command."},"documentation":"Adjusts line spacing using the \\setupinterlinespace\ncommand.","$id":"quarto-resource-document-fonts-interlinespace"},"quarto-resource-document-fonts-linkstyle":{"type":"string","description":"be a string","completions":["normal","bold","slanted","boldslanted","type","cap","small"],"tags":{"formats":["context"],"description":"The typeface style for links in the document."},"documentation":"The typeface style for links in the document.","$id":"quarto-resource-document-fonts-linkstyle"},"quarto-resource-document-fonts-whitespace":{"type":"string","description":"be a string","tags":{"formats":["context"],"description":{"short":"Set the spacing between paragraphs, for example `none`, `small.","long":"Set the spacing between paragraphs, for example `none`, `small` \nusing the [`setupwhitespace`](https://wiki.contextgarden.net/Command/setupwhitespace) \ncommand.\n"}},"documentation":"Set the spacing between paragraphs, for example none,\n`small.","$id":"quarto-resource-document-fonts-whitespace"},"quarto-resource-document-footnotes-footnotes-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables a hover popup for footnotes that shows the footnote contents."},"documentation":"Enables a hover popup for footnotes that shows the footnote\ncontents.","$id":"quarto-resource-document-footnotes-footnotes-hover"},"quarto-resource-document-footnotes-links-as-notes":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Causes links to be printed as footnotes."},"documentation":"Causes links to be printed as footnotes.","$id":"quarto-resource-document-footnotes-links-as-notes"},"quarto-resource-document-footnotes-reference-location":{"_internalId":4013,"type":"enum","enum":["block","section","margin","document"],"description":"be one of: `block`, `section`, `margin`, `document`","completions":["block","section","margin","document"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all","muse","$html-files","pdf"],"description":{"short":"Location for footnotes and references\n","long":"Specify location for footnotes. Also controls the location of references, if `reference-links` is set.\n\n- `block`: Place at end of current top-level block\n- `section`: Place at end of current section\n- `margin`: Place at the margin\n- `document`: Place at end of document\n"}},"documentation":"Location for footnotes and references","$id":"quarto-resource-document-footnotes-reference-location"},"quarto-resource-document-formatting-indenting":{"_internalId":4019,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","completions":["yes","no","none","small","medium","big","first","next","odd","even","normal"]},{"_internalId":4018,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","completions":["yes","no","none","small","medium","big","first","next","odd","even","normal"]}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Set the indentation of paragraphs with one or more options.","long":"Set the indentation of paragraphs with one or more options.\n\nSee [ConTeXt Indentation](https://wiki.contextgarden.net/Indentation) for additional information.\n"}},"documentation":"Set the indentation of paragraphs with one or more options.","$id":"quarto-resource-document-formatting-indenting"},"quarto-resource-document-formatting-adjusting":{"_internalId":4022,"type":"enum","enum":["l","r","c","b"],"description":"be one of: `l`, `r`, `c`, `b`","completions":["l","r","c","b"],"exhaustiveCompletions":true,"tags":{"formats":["man"],"description":"Adjusts text to the left, right, center, or both margins (`l`, `r`, `c`, or `b`)."},"documentation":"Adjusts text to the left, right, center, or both margins\n(l, r, c, or b).","$id":"quarto-resource-document-formatting-adjusting"},"quarto-resource-document-formatting-hyphenate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["man"],"description":{"short":"Whether to hyphenate text at line breaks even in words that do not contain hyphens.","long":"Whether to hyphenate text at line breaks even in words that do not contain \nhyphens if it is necessary to do so to lay out words on a line without excessive spacing\n"}},"documentation":"Whether to hyphenate text at line breaks even in words that do not\ncontain hyphens.","$id":"quarto-resource-document-formatting-hyphenate"},"quarto-resource-document-formatting-list-tables":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["rst"],"description":"If true, tables are formatted as RST list tables."},"documentation":"If true, tables are formatted as RST list tables.","$id":"quarto-resource-document-formatting-list-tables"},"quarto-resource-document-formatting-split-level":{"type":"number","description":"be a number","tags":{"formats":["$epub-all","chunkedhtml"],"description":{"short":"Specify the heading level at which to split the EPUB into separate\nchapter files.\n","long":"Specify the heading level at which to split the EPUB into separate\nchapter files. The default is to split into chapters at level-1\nheadings. This option only affects the internal composition of the\nEPUB, not the way chapters and sections are displayed to users. Some\nreaders may be slow if the chapter files are too large, so for large\ndocuments with few level-1 headings, one might want to use a chapter\nlevel of 2 or 3.\n"}},"documentation":"Specify the heading level at which to split the EPUB into separate\nchapter files.","$id":"quarto-resource-document-formatting-split-level"},"quarto-resource-document-funding-funding":{"_internalId":4131,"type":"anyOf","anyOf":[{"_internalId":4129,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4128,"type":"object","description":"be an object","properties":{"statement":{"type":"string","description":"be a string","tags":{"description":"Displayable prose statement that describes the funding for the research on which a work was based."},"documentation":"Displayable prose statement that describes the funding for the\nresearch on which a work was based."},"open-access":{"type":"string","description":"be a string","tags":{"description":"Open access provisions that apply to a work or the funding information that provided the open access provisions."},"documentation":"Open access provisions that apply to a work or the funding\ninformation that provided the open access provisions."},"awards":{"_internalId":4127,"type":"anyOf","anyOf":[{"_internalId":4125,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"Unique identifier assigned to an award, contract, or grant."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"The name of this award"},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The description for this award."},"source":{"_internalId":4066,"type":"anyOf","anyOf":[{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4065,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Agency or organization that funded the research on which a work was\nbased."},"recipient":{"_internalId":4095,"type":"anyOf","anyOf":[{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4094,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"Individual(s) or institution(s) to whom the award was given (for\nexample, the principal grant holder or the sponsored individual)."},"investigator":{"_internalId":4124,"type":"anyOf","anyOf":[{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4123,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"Individual(s) responsible for the intellectual content of the work\nreported in the document."}},"patternProperties":{}},{"_internalId":4126,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":4125,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"Unique identifier assigned to an award, contract, or grant."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"The name of this award"},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The description for this award."},"source":{"_internalId":4066,"type":"anyOf","anyOf":[{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4065,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Agency or organization that funded the research on which a work was\nbased."},"recipient":{"_internalId":4095,"type":"anyOf","anyOf":[{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4094,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"Individual(s) or institution(s) to whom the award was given (for\nexample, the principal grant holder or the sponsored individual)."},"investigator":{"_internalId":4124,"type":"anyOf","anyOf":[{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4123,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"Individual(s) responsible for the intellectual content of the work\nreported in the document."}},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4130,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4129,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4128,"type":"object","description":"be an object","properties":{"statement":{"type":"string","description":"be a string","tags":{"description":"Displayable prose statement that describes the funding for the research on which a work was based."},"documentation":"Displayable prose statement that describes the funding for the\nresearch on which a work was based."},"open-access":{"type":"string","description":"be a string","tags":{"description":"Open access provisions that apply to a work or the funding information that provided the open access provisions."},"documentation":"Open access provisions that apply to a work or the funding\ninformation that provided the open access provisions."},"awards":{"_internalId":4127,"type":"anyOf","anyOf":[{"_internalId":4125,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"Unique identifier assigned to an award, contract, or grant."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"The name of this award"},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The description for this award."},"source":{"_internalId":4066,"type":"anyOf","anyOf":[{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4065,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Agency or organization that funded the research on which a work was\nbased."},"recipient":{"_internalId":4095,"type":"anyOf","anyOf":[{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4094,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"Individual(s) or institution(s) to whom the award was given (for\nexample, the principal grant holder or the sponsored individual)."},"investigator":{"_internalId":4124,"type":"anyOf","anyOf":[{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4123,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"Individual(s) responsible for the intellectual content of the work\nreported in the document."}},"patternProperties":{}},{"_internalId":4126,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":4125,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"Unique identifier assigned to an award, contract, or grant."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"The name of this award"},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The description for this award."},"source":{"_internalId":4066,"type":"anyOf","anyOf":[{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4065,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4064,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4063,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The text describing the source of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"Abbreviation for country where source of grant is located."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Agency or organization that funded the research on which a work was\nbased."},"recipient":{"_internalId":4095,"type":"anyOf","anyOf":[{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4094,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4093,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4077,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4082,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was the recipient of the funding."}},"patternProperties":{},"closed":true},{"_internalId":4092,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4089,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"Individual(s) or institution(s) to whom the award was given (for\nexample, the principal grant holder or the sponsored individual)."},"investigator":{"_internalId":4124,"type":"anyOf","anyOf":[{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4123,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4122,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4106,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4111,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4121,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4120,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4118,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"Individual(s) responsible for the intellectual content of the work\nreported in the document."}},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Information about the funding of the research reported in the article \n(for example, grants, contracts, sponsors) and any open access fees for the article itself\n"},"documentation":"Information about the funding of the research reported in the article\n(for example, grants, contracts, sponsors) and any open access fees for\nthe article itself","$id":"quarto-resource-document-funding-funding"},"quarto-resource-document-hidden-to":{"type":"string","description":"be a string","documentation":"Format to write to (e.g. html)","tags":{"description":{"short":"Format to write to (e.g. html)","long":"Format to write to. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. gfm+footnotes)\n"},"hidden":true},"$id":"quarto-resource-document-hidden-to"},"quarto-resource-document-hidden-writer":{"type":"string","description":"be a string","documentation":"Format to write to (e.g. html)","tags":{"description":{"short":"Format to write to (e.g. html)","long":"Format to write to. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. gfm+footnotes)\n"},"hidden":true},"$id":"quarto-resource-document-hidden-writer"},"quarto-resource-document-hidden-input-file":{"type":"string","description":"be a string","documentation":"Input file to read from","tags":{"description":"Input file to read from","hidden":true},"$id":"quarto-resource-document-hidden-input-file"},"quarto-resource-document-hidden-input-files":{"_internalId":4140,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Input files to read from","tags":{"description":"Input files to read from","hidden":true},"$id":"quarto-resource-document-hidden-input-files"},"quarto-resource-document-hidden-defaults":{"_internalId":4145,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Include options from the specified defaults files","tags":{"description":"Include options from the specified defaults files","hidden":true},"$id":"quarto-resource-document-hidden-defaults"},"quarto-resource-document-hidden-variables":{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{},"documentation":"Pandoc metadata variables","tags":{"description":"Pandoc metadata variables","hidden":true},"$id":"quarto-resource-document-hidden-variables"},"quarto-resource-document-hidden-metadata":{"_internalId":4148,"type":"object","description":"be an object","properties":{},"patternProperties":{},"documentation":"Pandoc metadata variables","tags":{"description":"Pandoc metadata variables","hidden":true},"$id":"quarto-resource-document-hidden-metadata"},"quarto-resource-document-hidden-request-headers":{"_internalId":4152,"type":"ref","$ref":"pandoc-format-request-headers","description":"be pandoc-format-request-headers","documentation":"Headers to include with HTTP requests by Pandoc","tags":{"description":"Headers to include with HTTP requests by Pandoc","hidden":true},"$id":"quarto-resource-document-hidden-request-headers"},"quarto-resource-document-hidden-trace":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Display trace debug output.","tags":{"description":"Display trace debug output."},"$id":"quarto-resource-document-hidden-trace"},"quarto-resource-document-hidden-fail-if-warnings":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Exit with error status if there are any warnings.","tags":{"description":"Exit with error status if there are any warnings."},"$id":"quarto-resource-document-hidden-fail-if-warnings"},"quarto-resource-document-hidden-dump-args":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Print information about command-line arguments to stdout,\nthen exit.","tags":{"description":"Print information about command-line arguments to *stdout*, then exit.","hidden":true},"$id":"quarto-resource-document-hidden-dump-args"},"quarto-resource-document-hidden-ignore-args":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Ignore command-line arguments (for use in wrapper scripts).","tags":{"description":"Ignore command-line arguments (for use in wrapper scripts).","hidden":true},"$id":"quarto-resource-document-hidden-ignore-args"},"quarto-resource-document-hidden-file-scope":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Parse each file individually before combining for multifile\ndocuments.","tags":{"description":"Parse each file individually before combining for multifile documents.","hidden":true},"$id":"quarto-resource-document-hidden-file-scope"},"quarto-resource-document-hidden-data-dir":{"type":"string","description":"be a string","documentation":"Specify the user data directory to search for pandoc data files.","tags":{"description":"Specify the user data directory to search for pandoc data files.","hidden":true},"$id":"quarto-resource-document-hidden-data-dir"},"quarto-resource-document-hidden-verbosity":{"_internalId":4167,"type":"enum","enum":["ERROR","WARNING","INFO"],"description":"be one of: `ERROR`, `WARNING`, `INFO`","completions":["ERROR","WARNING","INFO"],"exhaustiveCompletions":true,"documentation":"Level of program output (INFO, ERROR, or\nWARNING)","tags":{"description":"Level of program output (`INFO`, `ERROR`, or `WARNING`)","hidden":true},"$id":"quarto-resource-document-hidden-verbosity"},"quarto-resource-document-hidden-log-file":{"type":"string","description":"be a string","documentation":"Write log messages in machine-readable JSON format to FILE.","tags":{"description":"Write log messages in machine-readable JSON format to FILE.","hidden":true},"$id":"quarto-resource-document-hidden-log-file"},"quarto-resource-document-hidden-track-changes":{"_internalId":4172,"type":"enum","enum":["accept","reject","all"],"description":"be one of: `accept`, `reject`, `all`","completions":["accept","reject","all"],"exhaustiveCompletions":true,"tags":{"formats":["docx"],"description":{"short":"Specify what to do with insertions, deletions, and comments produced by \nthe MS Word “Track Changes” feature.\n","long":"Specify what to do with insertions, deletions, and comments\nproduced by the MS Word \"Track Changes\" feature. \n\n- `accept` (default): Process all insertions and deletions.\n- `reject`: Ignore them.\n- `all`: Include all insertions, deletions, and comments, wrapped\n in spans with `insertion`, `deletion`, `comment-start`, and\n `comment-end` classes, respectively. The author and time of\n change is included. \n\nNotes:\n\n- Both `accept` and `reject` ignore comments.\n\n- `all` is useful for scripting: only\n accepting changes from a certain reviewer, say, or before a\n certain date. If a paragraph is inserted or deleted,\n `track-changes: all` produces a span with the class\n `paragraph-insertion`/`paragraph-deletion` before the\n affected paragraph break. \n\n- This option only affects the docx reader.\n"},"hidden":true},"documentation":"Specify what to do with insertions, deletions, and comments produced\nby the MS Word “Track Changes” feature.","$id":"quarto-resource-document-hidden-track-changes"},"quarto-resource-document-hidden-keep-source":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Embed the input file source code in the generated HTML","long":"Embed the input file source code in the generated HTML. A hidden div with \nclass `quarto-embedded-source-code` will be added to the document. This\noption is not normally used directly but rather in the implementation\nof the `code-tools` option.\n"},"hidden":true},"documentation":"Embed the input file source code in the generated HTML","$id":"quarto-resource-document-hidden-keep-source"},"quarto-resource-document-hidden-keep-hidden":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Keep hidden source code and output (marked with class `.hidden`)","hidden":true},"documentation":"Keep hidden source code and output (marked with class\n.hidden)","$id":"quarto-resource-document-hidden-keep-hidden"},"quarto-resource-document-hidden-prefer-html":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all"],"description":{"short":"Generate HTML output (if necessary) even when targeting markdown.","long":"Generate HTML output (if necessary) even when targeting markdown. Enables the \nembedding of more sophisticated output (e.g. Jupyter widgets) in markdown.\n"},"hidden":true},"documentation":"Generate HTML output (if necessary) even when targeting markdown.","$id":"quarto-resource-document-hidden-prefer-html"},"quarto-resource-document-hidden-output-divs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Indicates that computational output should not be written within\ndivs. This is necessary for some formats (e.g. pptx) to\nproperly layout figures.","tags":{"description":"Indicates that computational output should not be written within divs. \nThis is necessary for some formats (e.g. `pptx`) to properly layout\nfigures.\n","hidden":true},"$id":"quarto-resource-document-hidden-output-divs"},"quarto-resource-document-hidden-merge-includes":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Disable merging of string based and file based includes (some\nformats, specifically ePub, do not correctly handle this merging)","tags":{"description":"Disable merging of string based and file based includes (some formats, \nspecifically ePub, do not correctly handle this merging)\n","hidden":true},"$id":"quarto-resource-document-hidden-merge-includes"},"quarto-resource-document-includes-header-includes":{"_internalId":4188,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4187,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Content to include at the end of the document header.","hidden":true},"documentation":"Content to include at the end of the document header.","$id":"quarto-resource-document-includes-header-includes"},"quarto-resource-document-includes-include-before":{"_internalId":4194,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4193,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Content to include at the beginning of the document body (e.g. after the `` tag in HTML, or the `\\begin{document}` command in LaTeX).","hidden":true},"documentation":"Content to include at the beginning of the document body (e.g. after\nthe <body> tag in HTML, or the\n\\begin{document} command in LaTeX).","$id":"quarto-resource-document-includes-include-before"},"quarto-resource-document-includes-include-after":{"_internalId":4200,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4199,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Content to include at the end of the document body (before the `` tag in HTML, or the `\\end{document}` command in LaTeX).","hidden":true},"documentation":"Content to include at the end of the document body (before the\n</body> tag in HTML, or the\n\\end{document} command in LaTeX).","$id":"quarto-resource-document-includes-include-after"},"quarto-resource-document-includes-include-before-body":{"_internalId":4212,"type":"anyOf","anyOf":[{"_internalId":4210,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4209,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"},{"_internalId":4211,"type":"array","description":"be an array of values, where each element must be at least one of: a string, smart-include","items":{"_internalId":4210,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4209,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"}}],"description":"be at least one of: at least one of: a string, smart-include, an array of values, where each element must be at least one of: a string, smart-include","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Include contents at the beginning of the document body\n(e.g. after the `` tag in HTML, or the `\\begin{document}` command\nin LaTeX).\n\nA string value or an object with key \"file\" indicates a filename whose contents are to be included\n\nAn object with key \"text\" indicates textual content to be included\n"},"documentation":"Include contents at the beginning of the document body (e.g. after\nthe <body> tag in HTML, or the\n\\begin{document} command in LaTeX).\nA string value or an object with key “file” indicates a filename\nwhose contents are to be included\nAn object with key “text” indicates textual content to be\nincluded","$id":"quarto-resource-document-includes-include-before-body"},"quarto-resource-document-includes-include-after-body":{"_internalId":4224,"type":"anyOf","anyOf":[{"_internalId":4222,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4221,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"},{"_internalId":4223,"type":"array","description":"be an array of values, where each element must be at least one of: a string, smart-include","items":{"_internalId":4222,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4221,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"}}],"description":"be at least one of: at least one of: a string, smart-include, an array of values, where each element must be at least one of: a string, smart-include","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Include content at the end of the document body immediately after the markdown content. While it will be included before the closing `` tag in HTML and the `\\end{document}` command in LaTeX, this option refers to the end of the markdown content.\n\nA string value or an object with key \"file\" indicates a filename whose contents are to be included\n\nAn object with key \"text\" indicates textual content to be included\n"},"documentation":"Include content at the end of the document body immediately after the\nmarkdown content. While it will be included before the closing\n</body> tag in HTML and the\n\\end{document} command in LaTeX, this option refers to the\nend of the markdown content.\nA string value or an object with key “file” indicates a filename\nwhose contents are to be included\nAn object with key “text” indicates textual content to be\nincluded","$id":"quarto-resource-document-includes-include-after-body"},"quarto-resource-document-includes-include-in-header":{"_internalId":4236,"type":"anyOf","anyOf":[{"_internalId":4234,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4233,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"},{"_internalId":4235,"type":"array","description":"be an array of values, where each element must be at least one of: a string, smart-include","items":{"_internalId":4234,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4233,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"}}],"description":"be at least one of: at least one of: a string, smart-include, an array of values, where each element must be at least one of: a string, smart-include","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Include contents at the end of the header. This can\nbe used, for example, to include special CSS or JavaScript in HTML\ndocuments.\n\nA string value or an object with key \"file\" indicates a filename whose contents are to be included\n\nAn object with key \"text\" indicates textual content to be included\n"},"documentation":"Include contents at the end of the header. This can be used, for\nexample, to include special CSS or JavaScript in HTML documents.\nA string value or an object with key “file” indicates a filename\nwhose contents are to be included\nAn object with key “text” indicates textual content to be\nincluded","$id":"quarto-resource-document-includes-include-in-header"},"quarto-resource-document-includes-resources":{"_internalId":4242,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4241,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":"Path (or glob) to files to publish with this document."},"documentation":"Path (or glob) to files to publish with this document.","$id":"quarto-resource-document-includes-resources"},"quarto-resource-document-includes-headertext":{"_internalId":4248,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4247,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Text to be in a running header.","long":"Text to be in a running header.\n\nProvide a single option or up to four options for different placements\n(odd page inner, odd page outer, even page innner, even page outer).\n"}},"documentation":"Text to be in a running header.","$id":"quarto-resource-document-includes-headertext"},"quarto-resource-document-includes-footertext":{"_internalId":4254,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4253,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Text to be in a running footer.","long":"Text to be in a running footer.\n\nProvide a single option or up to four options for different placements\n(odd page inner, odd page outer, even page innner, even page outer).\n\nSee [ConTeXt Headers and Footers](https://wiki.contextgarden.net/Headers_and_Footers) for more information.\n"}},"documentation":"Text to be in a running footer.","$id":"quarto-resource-document-includes-footertext"},"quarto-resource-document-includes-includesource":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["context"],"description":"Whether to include all source documents as file attachments in the PDF file."},"documentation":"Whether to include all source documents as file attachments in the\nPDF file.","$id":"quarto-resource-document-includes-includesource"},"quarto-resource-document-includes-footer":{"type":"string","description":"be a string","tags":{"formats":["man"],"description":"The footer for man pages."},"documentation":"The footer for man pages.","$id":"quarto-resource-document-includes-footer"},"quarto-resource-document-includes-header":{"type":"string","description":"be a string","tags":{"formats":["man"],"description":"The header for man pages."},"documentation":"The header for man pages.","$id":"quarto-resource-document-includes-header"},"quarto-resource-document-includes-metadata-file":{"type":"string","description":"be a string","documentation":"Include file with YAML metadata","tags":{"description":{"short":"Include file with YAML metadata","long":"Read metadata from the supplied YAML (or JSON) file. This\noption can be used with every input format, but string scalars\nin the YAML file will always be parsed as Markdown. Generally,\nthe input will be handled the same as in YAML metadata blocks.\nMetadata values specified inside the document, or by using `-M`,\noverwrite values specified with this option.\n"},"hidden":true},"$id":"quarto-resource-document-includes-metadata-file"},"quarto-resource-document-includes-metadata-files":{"_internalId":4267,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Include files with YAML metadata","tags":{"description":{"short":"Include files with YAML metadata","long":"Read metadata from the supplied YAML (or JSON) files. This\noption can be used with every input format, but string scalars\nin the YAML file will always be parsed as Markdown. Generally,\nthe input will be handled the same as in YAML metadata blocks.\nValues in files specified later in the list will be preferred\nover those specified earlier. Metadata values specified inside\nthe document, or by using `-M`, overwrite values specified with\nthis option.\n"}},"$id":"quarto-resource-document-includes-metadata-files"},"quarto-resource-document-language-lang":{"type":"string","description":"be a string","documentation":"Identifies the main language of the document (e.g. en or\nen-GB).","tags":{"description":{"short":"Identifies the main language of the document (e.g. `en` or `en-GB`).","long":"Identifies the main language of the document using IETF language tags \n(following the [BCP 47](https://www.rfc-editor.org/info/bcp47) standard), \nsuch as `en` or `en-GB`. The [Language subtag lookup](https://r12a.github.io/app-subtags/) \ntool can look up or verify these tags. \n\nThis affects most formats, and controls hyphenation \nin PDF output when using LaTeX (through [`babel`](https://ctan.org/pkg/babel) \nand [`polyglossia`](https://ctan.org/pkg/polyglossia)) or ConTeXt.\n"}},"$id":"quarto-resource-document-language-lang"},"quarto-resource-document-language-language":{"_internalId":4276,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4274,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","documentation":"YAML file containing custom language translations","tags":{"description":"YAML file containing custom language translations"},"$id":"quarto-resource-document-language-language"},"quarto-resource-document-language-dir":{"_internalId":4279,"type":"enum","enum":["rtl","ltr"],"description":"be one of: `rtl`, `ltr`","completions":["rtl","ltr"],"exhaustiveCompletions":true,"documentation":"The base script direction for the document (rtl or\nltr).","tags":{"description":{"short":"The base script direction for the document (`rtl` or `ltr`).","long":"The base script direction for the document (`rtl` or `ltr`).\n\nFor bidirectional documents, native pandoc `span`s and\n`div`s with the `dir` attribute can\nbe used to override the base direction in some output\nformats. This may not always be necessary if the final\nrenderer (e.g. the browser, when generating HTML) supports\nthe [Unicode Bidirectional Algorithm].\n\nWhen using LaTeX for bidirectional documents, only the\n`xelatex` engine is fully supported (use\n`--pdf-engine=xelatex`).\n"}},"$id":"quarto-resource-document-language-dir"},"quarto-resource-document-latexmk-latex-auto-mk":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":{"short":"Use Quarto's built-in PDF rendering wrapper","long":"Use Quarto's built-in PDF rendering wrapper (includes support \nfor automatically installing missing LaTeX packages)\n"}},"documentation":"Use Quarto’s built-in PDF rendering wrapper","$id":"quarto-resource-document-latexmk-latex-auto-mk"},"quarto-resource-document-latexmk-latex-auto-install":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Enable/disable automatic LaTeX package installation"},"documentation":"Enable/disable automatic LaTeX package installation","$id":"quarto-resource-document-latexmk-latex-auto-install"},"quarto-resource-document-latexmk-latex-min-runs":{"type":"number","description":"be a number","tags":{"formats":["pdf","beamer"],"description":"Minimum number of compilation passes."},"documentation":"Minimum number of compilation passes.","$id":"quarto-resource-document-latexmk-latex-min-runs"},"quarto-resource-document-latexmk-latex-max-runs":{"type":"number","description":"be a number","tags":{"formats":["pdf","beamer"],"description":"Maximum number of compilation passes."},"documentation":"Maximum number of compilation passes.","$id":"quarto-resource-document-latexmk-latex-max-runs"},"quarto-resource-document-latexmk-latex-clean":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Clean intermediates after compilation."},"documentation":"Clean intermediates after compilation.","$id":"quarto-resource-document-latexmk-latex-clean"},"quarto-resource-document-latexmk-latex-makeindex":{"type":"string","description":"be a string","tags":{"formats":["pdf","beamer"],"description":"Program to use for `makeindex`."},"documentation":"Program to use for makeindex.","$id":"quarto-resource-document-latexmk-latex-makeindex"},"quarto-resource-document-latexmk-latex-makeindex-opts":{"_internalId":4296,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["pdf","beamer"],"description":"Array of command line options for `makeindex`."},"documentation":"Array of command line options for makeindex.","$id":"quarto-resource-document-latexmk-latex-makeindex-opts"},"quarto-resource-document-latexmk-latex-tlmgr-opts":{"_internalId":4301,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["pdf","beamer"],"description":"Array of command line options for `tlmgr`."},"documentation":"Array of command line options for tlmgr.","$id":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"quarto-resource-document-latexmk-latex-output-dir":{"type":"string","description":"be a string","tags":{"formats":["pdf","beamer"],"description":"Output directory for intermediates and PDF."},"documentation":"Output directory for intermediates and PDF.","$id":"quarto-resource-document-latexmk-latex-output-dir"},"quarto-resource-document-latexmk-latex-tinytex":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Set to `false` to prevent an installation of TinyTex from being used to compile PDF documents."},"documentation":"Set to false to prevent an installation of TinyTex from\nbeing used to compile PDF documents.","$id":"quarto-resource-document-latexmk-latex-tinytex"},"quarto-resource-document-latexmk-latex-input-paths":{"_internalId":4310,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["pdf","beamer"],"description":"Array of paths LaTeX should search for inputs."},"documentation":"Array of paths LaTeX should search for inputs.","$id":"quarto-resource-document-latexmk-latex-input-paths"},"quarto-resource-document-layout-documentclass":{"type":"string","description":"be a string","completions":["scrartcl","scrbook","scrreprt","scrlttr2","article","book","report","memoir"],"tags":{"formats":["$pdf-all"],"description":"The document class."},"documentation":"The document class.","$id":"quarto-resource-document-layout-documentclass"},"quarto-resource-document-layout-classoption":{"_internalId":4318,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4317,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-files","$pdf-all"],"description":{"short":"Options for the document class,","long":"For LaTeX/PDF output, the options set for the document\nclass.\n\nFor HTML output using KaTeX, you can render display\nmath equations flush left using `classoption: fleqn`\n"}},"documentation":"Options for the document class,","$id":"quarto-resource-document-layout-classoption"},"quarto-resource-document-layout-pagestyle":{"type":"string","description":"be a string","completions":["plain","empty","headings"],"tags":{"formats":["$pdf-all"],"description":"Control the `\\pagestyle{}` for the document."},"documentation":"Control the \\pagestyle{} for the document.","$id":"quarto-resource-document-layout-pagestyle"},"quarto-resource-document-layout-papersize":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","typst"],"description":"The paper size for the document.\n"},"documentation":"The paper size for the document.","$id":"quarto-resource-document-layout-papersize"},"quarto-resource-document-layout-brand-mode":{"_internalId":4325,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"formats":["typst","revealjs"],"description":"The brand mode to use for rendering the document, `light` or `dark`.\n"},"documentation":"The brand mode to use for rendering the document, light\nor dark.","$id":"quarto-resource-document-layout-brand-mode"},"quarto-resource-document-layout-layout":{"_internalId":4331,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4330,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"The options for margins and text layout for this document.","long":"The options for margins and text layout for this document.\n\nSee [ConTeXt Layout](https://wiki.contextgarden.net/Layout) for additional information.\n"}},"documentation":"The options for margins and text layout for this document.","$id":"quarto-resource-document-layout-layout"},"quarto-resource-document-layout-page-layout":{"_internalId":4334,"type":"enum","enum":["article","full","custom"],"description":"be one of: `article`, `full`, `custom`","completions":["article","full","custom"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"The page layout to use for this document (`article`, `full`, or `custom`)"},"documentation":"The page layout to use for this document (article,\nfull, or custom)","$id":"quarto-resource-document-layout-page-layout"},"quarto-resource-document-layout-page-width":{"type":"number","description":"be a number","tags":{"formats":["docx","$odt-all"],"description":{"short":"Target page width for output (used to compute columns widths for `layout` divs)\n","long":"Target body page width for output (used to compute columns widths for `layout` divs).\nDefaults to 6.5 inches, which corresponds to default letter page settings in \ndocx and odt (8.5 inches with 1 inch for each margins).\n"}},"documentation":"Target page width for output (used to compute columns widths for\nlayout divs)","$id":"quarto-resource-document-layout-page-width"},"quarto-resource-document-layout-grid":{"_internalId":4350,"type":"object","description":"be an object","properties":{"content-mode":{"_internalId":4341,"type":"enum","enum":["auto","standard","full","slim"],"description":"be one of: `auto`, `standard`, `full`, `slim`","completions":["auto","standard","full","slim"],"exhaustiveCompletions":true,"tags":{"description":"Defines whether to use the standard, slim, or full content grid or to automatically select the most appropriate content grid."},"documentation":"Defines whether to use the standard, slim, or full content grid or to\nautomatically select the most appropriate content grid."},"sidebar-width":{"type":"string","description":"be a string","tags":{"description":"The base width of the sidebar (left) column in an HTML page."},"documentation":"The base width of the sidebar (left) column in an HTML page."},"margin-width":{"type":"string","description":"be a string","tags":{"description":"The base width of the margin (right) column in an HTML page."},"documentation":"The base width of the margin (right) column in an HTML page."},"body-width":{"type":"string","description":"be a string","tags":{"description":"The base width of the body (center) column in an HTML page."},"documentation":"The base width of the body (center) column in an HTML page."},"gutter-width":{"type":"string","description":"be a string","tags":{"description":"The width of the gutter that appears between columns in an HTML page."},"documentation":"The width of the gutter that appears between columns in an HTML\npage."}},"patternProperties":{},"closed":true,"documentation":"Properties of the grid system used to layout Quarto HTML pages.","tags":{"description":{"short":"Properties of the grid system used to layout Quarto HTML pages."}},"$id":"quarto-resource-document-layout-grid"},"quarto-resource-document-layout-appendix-style":{"_internalId":4356,"type":"anyOf","anyOf":[{"_internalId":4355,"type":"enum","enum":["default","plain","none"],"description":"be one of: `default`, `plain`, `none`","completions":["default","plain","none"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `default`, `plain`, `none`","tags":{"formats":["$html-doc"],"description":{"short":"The layout of the appendix for this document (`none`, `plain`, or `default`)","long":"The layout of the appendix for this document (`none`, `plain`, or `default`).\n\nTo completely disable any styling of the appendix, choose the appendix style `none`. For minimal styling, choose `plain.`\n"}},"documentation":"The layout of the appendix for this document (none,\nplain, or default)","$id":"quarto-resource-document-layout-appendix-style"},"quarto-resource-document-layout-appendix-cite-as":{"_internalId":4368,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4367,"type":"anyOf","anyOf":[{"_internalId":4365,"type":"enum","enum":["display","bibtex"],"description":"be one of: `display`, `bibtex`","completions":["display","bibtex"],"exhaustiveCompletions":true},{"_internalId":4366,"type":"array","description":"be an array of values, where each element must be one of: `display`, `bibtex`","items":{"_internalId":4365,"type":"enum","enum":["display","bibtex"],"description":"be one of: `display`, `bibtex`","completions":["display","bibtex"],"exhaustiveCompletions":true}}],"description":"be at least one of: one of: `display`, `bibtex`, an array of values, where each element must be one of: `display`, `bibtex`","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: one of: `display`, `bibtex`, an array of values, where each element must be one of: `display`, `bibtex`","tags":{"formats":["$html-doc"],"description":{"short":"Controls the formats which are provided in the citation section of the appendix (`false`, `display`, or `bibtex`).","long":"Controls the formats which are provided in the citation section of the appendix.\n\nUse `false` to disable the display of the 'cite as' appendix. Pass one or more of `display` or `bibtex` to enable that\nformat in 'cite as' appendix.\n"}},"documentation":"Controls the formats which are provided in the citation section of\nthe appendix (false, display, or\nbibtex).","$id":"quarto-resource-document-layout-appendix-cite-as"},"quarto-resource-document-layout-title-block-style":{"_internalId":4374,"type":"anyOf","anyOf":[{"_internalId":4373,"type":"enum","enum":["default","plain","manuscript","none"],"description":"be one of: `default`, `plain`, `manuscript`, `none`","completions":["default","plain","manuscript","none"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `default`, `plain`, `manuscript`, `none`","tags":{"formats":["$html-doc"],"description":{"short":"The layout of the title block for this document (`none`, `plain`, or `default`).","long":"The layout of the title block for this document (`none`, `plain`, or `default`).\n\nTo completely disable any styling of the title block, choose the style `none`. For minimal styling, choose `plain.`\n"}},"documentation":"The layout of the title block for this document (none,\nplain, or default).","$id":"quarto-resource-document-layout-title-block-style"},"quarto-resource-document-layout-title-block-banner":{"_internalId":4381,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc"],"description":{"short":"Apply a banner style treatment to the title block.","long":"Applies a banner style treatment for the title block. You may specify one of the following values:\n\n`true`\n: Will enable the banner style display and automatically select a background color based upon the theme.\n\n``\n: If you provide a CSS color value, the banner will be enabled and the background color set to the provided CSS color.\n\n``\n: If you provide the path to a file, the banner will be enabled and the background image will be set to the file path.\n\nSee `title-block-banner-color` if you'd like to control the color of the title block banner text.\n"}},"documentation":"Apply a banner style treatment to the title block.","$id":"quarto-resource-document-layout-title-block-banner"},"quarto-resource-document-layout-title-block-banner-color":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":{"short":"Sets the color of text elements in a banner style title block.","long":"Sets the color of text elements in a banner style title block. Use one of the following values:\n\n`body` | `body-bg`\n: Will set the text color to the body text color or body background color, respectively.\n\n``\n: If you provide a CSS color value, the text color will be set to the provided CSS color.\n"}},"documentation":"Sets the color of text elements in a banner style title block.","$id":"quarto-resource-document-layout-title-block-banner-color"},"quarto-resource-document-layout-title-block-categories":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Enables or disables the display of categories in the title block."}},"documentation":"Enables or disables the display of categories in the title block.","$id":"quarto-resource-document-layout-title-block-categories"},"quarto-resource-document-layout-max-width":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Adds a css `max-width` to the body Element."},"documentation":"Adds a css max-width to the body Element.","$id":"quarto-resource-document-layout-max-width"},"quarto-resource-document-layout-margin-left":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the left margin of the document.","long":"For HTML output, sets the `margin-left` property on the Body element.\n\nFor LaTeX output, sets the left margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the left margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the left page margin.\n"}},"documentation":"Sets the left margin of the document.","$id":"quarto-resource-document-layout-margin-left"},"quarto-resource-document-layout-margin-right":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the right margin of the document.","long":"For HTML output, sets the `margin-right` property on the Body element.\n\nFor LaTeX output, sets the right margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the right margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the right page margin.\n"}},"documentation":"Sets the right margin of the document.","$id":"quarto-resource-document-layout-margin-right"},"quarto-resource-document-layout-margin-top":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the top margin of the document.","long":"For HTML output, sets the `margin-top` property on the Body element.\n\nFor LaTeX output, sets the top margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the top margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the top page margin.\n"}},"documentation":"Sets the top margin of the document.","$id":"quarto-resource-document-layout-margin-top"},"quarto-resource-document-layout-margin-bottom":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the bottom margin of the document.","long":"For HTML output, sets the `margin-bottom` property on the Body element.\n\nFor LaTeX output, sets the bottom margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the bottom margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the bottom page margin.\n"}},"documentation":"Sets the bottom margin of the document.","$id":"quarto-resource-document-layout-margin-bottom"},"quarto-resource-document-layout-geometry":{"_internalId":4401,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4400,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Options for the geometry package.","long":"Options for the [geometry](https://ctan.org/pkg/geometry) package. For example:\n\n```yaml\ngeometry:\n - top=30mm\n - left=20mm\n - heightrounded\n```\n"}},"documentation":"Options for the geometry package.","$id":"quarto-resource-document-layout-geometry"},"quarto-resource-document-layout-hyperrefoptions":{"_internalId":4407,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4406,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Additional non-color options for the hyperref package.","long":"Options for the [hyperref](https://ctan.org/pkg/hyperref) package. For example:\n\n```yaml\nhyperrefoptions:\n - linktoc=all\n - pdfwindowui\n - pdfpagemode=FullScreen \n```\n\nTo customize link colors, please see the [Quarto PDF reference](https://quarto.org/docs/reference/formats/pdf.html#colors).\n"}},"documentation":"Additional non-color options for the hyperref package.","$id":"quarto-resource-document-layout-hyperrefoptions"},"quarto-resource-document-layout-indent":{"_internalId":4414,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"formats":["$pdf-all","ms"],"description":{"short":"Whether to use document class settings for indentation.","long":"Whether to use document class settings for indentation. If the document \nclass settings are not used, the default LaTeX template removes indentation \nand adds space between paragraphs\n\nFor groff (`ms`) documents, the paragraph indent, for example, `2m`.\n"}},"documentation":"Whether to use document class settings for indentation.","$id":"quarto-resource-document-layout-indent"},"quarto-resource-document-layout-block-headings":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":{"short":"Make `\\paragraph` and `\\subparagraph` free-standing rather than run-in.","long":"Make `\\paragraph` and `\\subparagraph` (fourth- and\nfifth-level headings, or fifth- and sixth-level with book\nclasses) free-standing rather than run-in; requires further\nformatting to distinguish from `\\subsubsection` (third- or\nfourth-level headings). Instead of using this option,\n[KOMA-Script](https://ctan.org/pkg/koma-script) can adjust headings \nmore extensively:\n\n```yaml\nheader-includes: |\n \\RedeclareSectionCommand[\n beforeskip=-10pt plus -2pt minus -1pt,\n afterskip=1sp plus -1sp minus 1sp,\n font=\\normalfont\\itshape]{paragraph}\n \\RedeclareSectionCommand[\n beforeskip=-10pt plus -2pt minus -1pt,\n afterskip=1sp plus -1sp minus 1sp,\n font=\\normalfont\\scshape,\n indent=0pt]{subparagraph}\n```\n"}},"documentation":"Make \\paragraph and \\subparagraph\nfree-standing rather than run-in.","$id":"quarto-resource-document-layout-block-headings"},"quarto-resource-document-library-revealjs-url":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Directory containing reveal.js files."},"documentation":"Directory containing reveal.js files.","$id":"quarto-resource-document-library-revealjs-url"},"quarto-resource-document-library-s5-url":{"type":"string","description":"be a string","tags":{"formats":["s5"],"description":"The base url for s5 presentations."},"documentation":"The base url for s5 presentations.","$id":"quarto-resource-document-library-s5-url"},"quarto-resource-document-library-slidy-url":{"type":"string","description":"be a string","tags":{"formats":["slidy"],"description":"The base url for Slidy presentations."},"documentation":"The base url for Slidy presentations.","$id":"quarto-resource-document-library-slidy-url"},"quarto-resource-document-library-slideous-url":{"type":"string","description":"be a string","tags":{"formats":["slideous"],"description":"The base url for Slideous presentations."},"documentation":"The base url for Slideous presentations.","$id":"quarto-resource-document-library-slideous-url"},"quarto-resource-document-lightbox-lightbox":{"_internalId":4454,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4431,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true},{"_internalId":4453,"type":"object","description":"be an object","properties":{"match":{"_internalId":4438,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Set this to `auto` if you'd like any image to be given lightbox treatment.","long":"Set this to `auto` if you'd like any image to be given lightbox treatment. If you omit this, only images with the class `lightbox` will be given the lightbox treatment.\n"}},"documentation":"Set this to auto if you’d like any image to be given\nlightbox treatment."},"effect":{"_internalId":4443,"type":"enum","enum":["fade","zoom","none"],"description":"be one of: `fade`, `zoom`, `none`","completions":["fade","zoom","none"],"exhaustiveCompletions":true,"tags":{"description":"The effect that should be used when opening and closing the lightbox. One of `fade`, `zoom`, `none`. Defaults to `zoom`."},"documentation":"The effect that should be used when opening and closing the lightbox.\nOne of fade, zoom, none. Defaults\nto zoom."},"desc-position":{"_internalId":4448,"type":"enum","enum":["top","bottom","left","right"],"description":"be one of: `top`, `bottom`, `left`, `right`","completions":["top","bottom","left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the title and description when displaying a lightbox. One of `top`, `bottom`, `left`, `right`. Defaults to `bottom`."},"documentation":"The position of the title and description when displaying a lightbox.\nOne of top, bottom, left,\nright. Defaults to bottom."},"loop":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether galleries should 'loop' to first image in the gallery if the user continues past the last image of the gallery. Boolean that defaults to `true`."},"documentation":"Whether galleries should ‘loop’ to first image in the gallery if the\nuser continues past the last image of the gallery. Boolean that defaults\nto true."},"css-class":{"type":"string","description":"be a string","tags":{"description":"A class name to apply to the lightbox to allow css targeting. This will replace the lightbox class with your custom class name."},"documentation":"A class name to apply to the lightbox to allow css targeting. This\nwill replace the lightbox class with your custom class name."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, 'auto', an object","tags":{"formats":["$html-doc"],"description":"Enable or disable lightbox treatment for images in this document. See [Lightbox Figures](https://quarto.org/docs/output-formats/html-lightbox-figures.html) for more details."},"documentation":"Enable or disable lightbox treatment for images in this document. See\nLightbox\nFigures for more details.","$id":"quarto-resource-document-lightbox-lightbox"},"quarto-resource-document-links-link-external-icon":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc","revealjs"],"description":"Show a special icon next to links that leave the current site."},"documentation":"Show a special icon next to links that leave the current site.","$id":"quarto-resource-document-links-link-external-icon"},"quarto-resource-document-links-link-external-newwindow":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc","revealjs"],"description":"Open external links in a new browser window or tab (rather than navigating the current tab)."},"documentation":"Open external links in a new browser window or tab (rather than\nnavigating the current tab).","$id":"quarto-resource-document-links-link-external-newwindow"},"quarto-resource-document-links-link-external-filter":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","revealjs"],"description":{"short":"A regular expression that can be used to determine whether a link is an internal link.","long":"A regular expression that can be used to determine whether a link is an internal link. For example, \nthe following will treat links that start with `http://www.quarto.org/custom` or `https://www.quarto.org/custom`\nas internal links (and others will be considered external):\n\n```\n^(?:http:|https:)\\/\\/www\\.quarto\\.org\\/custom\n```\n"}},"documentation":"A regular expression that can be used to determine whether a link is\nan internal link.","$id":"quarto-resource-document-links-link-external-filter"},"quarto-resource-document-links-format-links":{"_internalId":4492,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4491,"type":"anyOf","anyOf":[{"_internalId":4489,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4479,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The title for the link."},"documentation":"The title for the link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for the link."},"documentation":"The href for the link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for the link."},"documentation":"The icon for the link."}},"patternProperties":{},"required":["text","href"]},{"_internalId":4488,"type":"object","description":"be an object","properties":{"format":{"type":"string","description":"be a string","tags":{"description":"The format that this link represents."},"documentation":"The format that this link represents."},"text":{"type":"string","description":"be a string","tags":{"description":"The title for this link."},"documentation":"The title for this link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for this link."},"documentation":"The icon for this link."}},"patternProperties":{},"required":["text","format"]}],"description":"be at least one of: a string, an object, an object"},{"_internalId":4490,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object","items":{"_internalId":4489,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4479,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The title for the link."},"documentation":"The title for the link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for the link."},"documentation":"The href for the link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for the link."},"documentation":"The icon for the link."}},"patternProperties":{},"required":["text","href"]},{"_internalId":4488,"type":"object","description":"be an object","properties":{"format":{"type":"string","description":"be a string","tags":{"description":"The format that this link represents."},"documentation":"The format that this link represents."},"text":{"type":"string","description":"be a string","tags":{"description":"The title for this link."},"documentation":"The title for this link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for this link."},"documentation":"The icon for this link."}},"patternProperties":{},"required":["text","format"]}],"description":"be at least one of: a string, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: a string, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object","tags":{"formats":["$html-doc"],"description":{"short":"Controls whether links to other rendered formats are displayed in HTML output.","long":"Controls whether links to other rendered formats are displayed in HTML output.\n\nPass `false` to disable the display of format lengths or pass a list of format names for which you'd\nlike links to be shown.\n"}},"documentation":"Controls whether links to other rendered formats are displayed in\nHTML output.","$id":"quarto-resource-document-links-format-links"},"quarto-resource-document-links-notebook-links":{"_internalId":4500,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4499,"type":"enum","enum":["inline","global"],"description":"be one of: `inline`, `global`","completions":["inline","global"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `inline`, `global`","tags":{"formats":["$html-doc"],"description":{"short":"Controls the display of links to notebooks that provided embedded content or are created from documents.","long":"Controls the display of links to notebooks that provided embedded content or are created from documents.\n\nSpecify `false` to disable linking to source Notebooks. Specify `inline` to show links to source notebooks beneath the content they provide. \nSpecify `global` to show a set of global links to source notebooks.\n"}},"documentation":"Controls the display of links to notebooks that provided embedded\ncontent or are created from documents.","$id":"quarto-resource-document-links-notebook-links"},"quarto-resource-document-links-other-links":{"_internalId":4509,"type":"anyOf","anyOf":[{"_internalId":4505,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":4508,"type":"ref","$ref":"other-links","description":"be other-links"}],"description":"be at least one of: 'false', other-links","tags":{"formats":["$html-doc"],"description":"A list of links that should be displayed below the table of contents in an `Other Links` section."},"documentation":"A list of links that should be displayed below the table of contents\nin an Other Links section.","$id":"quarto-resource-document-links-other-links"},"quarto-resource-document-links-code-links":{"_internalId":4518,"type":"anyOf","anyOf":[{"_internalId":4514,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":4517,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: 'false', code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of links that should be displayed below the table of contents in an `Code Links` section."},"documentation":"A list of links that should be displayed below the table of contents\nin an Code Links section.","$id":"quarto-resource-document-links-code-links"},"quarto-resource-document-links-notebook-subarticles":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$jats-all"],"description":{"short":"Controls whether referenced notebooks are embedded in JATS output as subarticles.","long":"Controls the display of links to notebooks that provided embedded content or are created from documents.\n\nDefaults to `true` - specify `false` to disable embedding Notebook as subarticles with the JATS output.\n"}},"documentation":"Controls whether referenced notebooks are embedded in JATS output as\nsubarticles.","$id":"quarto-resource-document-links-notebook-subarticles"},"quarto-resource-document-links-notebook-view":{"_internalId":4537,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4536,"type":"anyOf","anyOf":[{"_internalId":4534,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4533,"type":"ref","$ref":"notebook-view-schema","description":"be notebook-view-schema"}],"description":"be at least one of: a string, notebook-view-schema"},{"_internalId":4535,"type":"array","description":"be an array of values, where each element must be at least one of: a string, notebook-view-schema","items":{"_internalId":4534,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4533,"type":"ref","$ref":"notebook-view-schema","description":"be notebook-view-schema"}],"description":"be at least one of: a string, notebook-view-schema"}}],"description":"be at least one of: at least one of: a string, notebook-view-schema, an array of values, where each element must be at least one of: a string, notebook-view-schema","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: a string, notebook-view-schema, an array of values, where each element must be at least one of: a string, notebook-view-schema","tags":{"formats":["$html-doc"],"description":"Configures the HTML viewer for notebooks that provide embedded content."},"documentation":"Configures the HTML viewer for notebooks that provide embedded\ncontent.","$id":"quarto-resource-document-links-notebook-view"},"quarto-resource-document-links-notebook-view-style":{"_internalId":4540,"type":"enum","enum":["document","notebook"],"description":"be one of: `document`, `notebook`","completions":["document","notebook"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"The style of document to render. Setting this to `notebook` will create additional notebook style affordances.","hidden":true},"documentation":"The style of document to render. Setting this to\nnotebook will create additional notebook style\naffordances.","$id":"quarto-resource-document-links-notebook-view-style"},"quarto-resource-document-links-notebook-preview-options":{"_internalId":4545,"type":"object","description":"be an object","properties":{"back":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a back button in the notebook preview."},"documentation":"Whether to show a back button in the notebook preview."}},"patternProperties":{},"tags":{"formats":["$html-doc"],"description":"Options for controlling the display and behavior of Notebook previews."},"documentation":"Options for controlling the display and behavior of Notebook\npreviews.","$id":"quarto-resource-document-links-notebook-preview-options"},"quarto-resource-document-links-canonical-url":{"_internalId":4552,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"formats":["$html-doc"],"description":{"short":"Include a canonical link tag in website pages","long":"Include a canonical link tag in website pages. You may pass either `true` to \nautomatically generate a canonical link, or pass a canonical url that you'd like\nto have placed in the `href` attribute of the tag.\n\nCanonical links can only be generated for websites with a known `site-url`.\n"}},"documentation":"Include a canonical link tag in website pages","$id":"quarto-resource-document-links-canonical-url"},"quarto-resource-document-listing-listing":{"_internalId":4569,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4568,"type":"anyOf","anyOf":[{"_internalId":4566,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4565,"type":"ref","$ref":"website-listing","description":"be website-listing"}],"description":"be at least one of: a string, website-listing"},{"_internalId":4567,"type":"array","description":"be an array of values, where each element must be at least one of: a string, website-listing","items":{"_internalId":4566,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4565,"type":"ref","$ref":"website-listing","description":"be website-listing"}],"description":"be at least one of: a string, website-listing"}}],"description":"be at least one of: at least one of: a string, website-listing, an array of values, where each element must be at least one of: a string, website-listing","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: a string, website-listing, an array of values, where each element must be at least one of: a string, website-listing","tags":{"formats":["$html-doc"],"description":"Automatically generate the contents of a page from a list of Quarto documents or other custom data."},"documentation":"Automatically generate the contents of a page from a list of Quarto\ndocuments or other custom data.","$id":"quarto-resource-document-listing-listing"},"quarto-resource-document-mermaid-mermaid":{"_internalId":4575,"type":"object","description":"be an object","properties":{"theme":{"_internalId":4574,"type":"enum","enum":["default","dark","forest","neutral"],"description":"be one of: `default`, `dark`, `forest`, `neutral`","completions":["default","dark","forest","neutral"],"exhaustiveCompletions":true,"tags":{"description":"The mermaid built-in theme to use."},"documentation":"The mermaid built-in theme to use."}},"patternProperties":{},"tags":{"formats":["$html-files"],"description":"Mermaid diagram options"},"documentation":"Mermaid diagram options","$id":"quarto-resource-document-mermaid-mermaid"},"quarto-resource-document-metadata-keywords":{"_internalId":4581,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4580,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$asciidoc-all","$html-files","$pdf-all","context","odt","$office-all"],"description":"List of keywords to be included in the document metadata."},"documentation":"List of keywords to be included in the document metadata.","$id":"quarto-resource-document-metadata-keywords"},"quarto-resource-document-metadata-subject":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$office-all","odt"],"description":"The document subject"},"documentation":"The document subject","$id":"quarto-resource-document-metadata-subject"},"quarto-resource-document-metadata-description":{"type":"string","description":"be a string","tags":{"formats":["odt","$office-all"],"description":"The document description. Some applications show this as `Comments` metadata."},"documentation":"The document description. Some applications show this as\nComments metadata.","$id":"quarto-resource-document-metadata-description"},"quarto-resource-document-metadata-category":{"type":"string","description":"be a string","tags":{"formats":["$office-all"],"description":"The document category."},"documentation":"The document category.","$id":"quarto-resource-document-metadata-category"},"quarto-resource-document-metadata-copyright":{"_internalId":4618,"type":"anyOf","anyOf":[{"_internalId":4615,"type":"object","description":"be an object","properties":{"year":{"_internalId":4602,"type":"anyOf","anyOf":[{"_internalId":4600,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number"},{"_internalId":4601,"type":"array","description":"be an array of values, where each element must be at least one of: a string, a number","items":{"_internalId":4600,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number"}}],"description":"be at least one of: at least one of: a string, a number, an array of values, where each element must be at least one of: a string, a number","tags":{"complete-from":["anyOf",0],"description":"The year for this copyright"},"documentation":"The year for this copyright"},"holder":{"_internalId":4608,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The holder of the copyright."},"documentation":"The holder of the copyright."},{"_internalId":4607,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The holder of the copyright."},"documentation":"The holder of the copyright."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"statement":{"_internalId":4614,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"The text to display for the license."},{"_internalId":4613,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"The text to display for the license."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string","tags":{"formats":["$html-doc","$jats-all"],"description":"The copyright for this document, if any."},"documentation":"The copyright for this document, if any.","$id":"quarto-resource-document-metadata-copyright"},"quarto-resource-document-metadata-license":{"_internalId":4636,"type":"anyOf","anyOf":[{"_internalId":4634,"type":"anyOf","anyOf":[{"_internalId":4631,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of the license."},"documentation":"The type of the license."},"link":{"type":"string","description":"be a string","tags":{"description":"A URL to the license."},"documentation":"A URL to the license."},"text":{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"The text to display for the license."}},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":4635,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":4634,"type":"anyOf","anyOf":[{"_internalId":4631,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of the license."},"documentation":"The type of the license."},"link":{"type":"string","description":"be a string","tags":{"description":"A URL to the license."},"documentation":"A URL to the license."},"text":{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"The text to display for the license."}},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"formats":["$html-doc","$jats-all"],"description":{"short":"The License for this document, if any. (e.g. `CC BY`)","long":"The license for this document, if any. \n\nCreative Commons licenses `CC BY`, `CC BY-SA`, `CC BY-ND`, `CC BY-NC`, `CC BY-NC-SA`, and `CC BY-NC-ND` will automatically generate a license link\nin the document appendix. Other license text will be placed in the appendix verbatim.\n"}},"documentation":"The License for this document, if any. (e.g. CC BY)","$id":"quarto-resource-document-metadata-license"},"quarto-resource-document-metadata-title-meta":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"Sets the title metadata for the document"},"documentation":"Sets the title metadata for the document","$id":"quarto-resource-document-metadata-title-meta"},"quarto-resource-document-metadata-pagetitle":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Sets the title metadata for the document"},"documentation":"Sets the title metadata for the document","$id":"quarto-resource-document-metadata-pagetitle"},"quarto-resource-document-metadata-title-prefix":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Specify STRING as a prefix at the beginning of the title that appears in \nthe HTML header (but not in the title as it appears at the beginning of the body)\n"},"documentation":"Specify STRING as a prefix at the beginning of the title that appears\nin the HTML header (but not in the title as it appears at the beginning\nof the body)","$id":"quarto-resource-document-metadata-title-prefix"},"quarto-resource-document-metadata-description-meta":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Sets the description metadata for the document"},"documentation":"Sets the description metadata for the document","$id":"quarto-resource-document-metadata-description-meta"},"quarto-resource-document-metadata-author-meta":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$html-files"],"description":"Sets the author metadata for the document"},"documentation":"Sets the author metadata for the document","$id":"quarto-resource-document-metadata-author-meta"},"quarto-resource-document-metadata-date-meta":{"type":"string","description":"be a string","tags":{"formats":["$html-all","$pdf-all"],"description":"Sets the date metadata for the document"},"documentation":"Sets the date metadata for the document","$id":"quarto-resource-document-metadata-date-meta"},"quarto-resource-document-numbering-number-sections":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Number section headings","tags":{"description":{"short":"Number section headings","long":"Number section headings rendered output. By default, sections are not numbered.\nSections with class `.unnumbered` will never be numbered, even if `number-sections`\nis specified.\n"}},"$id":"quarto-resource-document-numbering-number-sections"},"quarto-resource-document-numbering-number-depth":{"type":"number","description":"be a number","tags":{"formats":["$html-all","$pdf-all","docx"],"description":{"short":"The depth to which sections should be numbered.","long":"By default, all headings in your document create a \nnumbered section. You customize numbering depth using \nthe `number-depth` option. \n\nFor example, to only number sections immediately below \nthe chapter level, use this:\n\n```yaml \nnumber-depth: 1\n```\n"}},"documentation":"The depth to which sections should be numbered.","$id":"quarto-resource-document-numbering-number-depth"},"quarto-resource-document-numbering-secnumdepth":{"type":"number","description":"be a number","tags":{"formats":["$pdf-all"],"description":"The numbering depth for sections. (Use `number-depth` instead).","hidden":true},"documentation":"The numbering depth for sections. (Use number-depth\ninstead).","$id":"quarto-resource-document-numbering-secnumdepth"},"quarto-resource-document-numbering-number-offset":{"_internalId":4660,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":4659,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":{"short":"Offset for section headings in output (offsets are 0 by default)","long":"Offset for section headings in output (offsets are 0 by default)\nThe first number is added to the section number for\ntop-level headings, the second for second-level headings, and so on.\nSo, for example, if you want the first top-level heading in your\ndocument to be numbered \"6\", specify `number-offset: 5`. If your\ndocument starts with a level-2 heading which you want to be numbered\n\"1.5\", specify `number-offset: [1,4]`. Implies `number-sections`\n"}},"documentation":"Offset for section headings in output (offsets are 0 by default)","$id":"quarto-resource-document-numbering-number-offset"},"quarto-resource-document-numbering-section-numbering":{"type":"string","description":"be a string","tags":{"formats":["typst"],"description":"Schema to use for numbering sections, e.g. `1.A.1`"},"documentation":"Schema to use for numbering sections, e.g. 1.A.1","$id":"quarto-resource-document-numbering-section-numbering"},"quarto-resource-document-numbering-shift-heading-level-by":{"type":"number","description":"be a number","documentation":"Shift heading levels by a positive or negative integer. For example,\nwith shift-heading-level-by: -1, level 2 headings become\nlevel 1 headings.","tags":{"description":{"short":"Shift heading levels by a positive or negative integer. For example, with \n`shift-heading-level-by: -1`, level 2 headings become level 1 headings.\n","long":"Shift heading levels by a positive or negative integer.\nFor example, with `shift-heading-level-by: -1`, level 2\nheadings become level 1 headings, and level 3 headings\nbecome level 2 headings. Headings cannot have a level\nless than 1, so a heading that would be shifted below level 1\nbecomes a regular paragraph. Exception: with a shift of -N,\na level-N heading at the beginning of the document\nreplaces the metadata title.\n"}},"$id":"quarto-resource-document-numbering-shift-heading-level-by"},"quarto-resource-document-numbering-pagenumbering":{"_internalId":4670,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4669,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Sets the page numbering style and location for the document.","long":"Sets the page numbering style and location for the document using the\n`\\setuppagenumbering` command. \n\nSee [ConTeXt Page Numbering](https://wiki.contextgarden.net/Command/setuppagenumbering) \nfor additional information.\n"}},"documentation":"Sets the page numbering style and location for the document.","$id":"quarto-resource-document-numbering-pagenumbering"},"quarto-resource-document-numbering-top-level-division":{"_internalId":4673,"type":"enum","enum":["default","section","chapter","part"],"description":"be one of: `default`, `section`, `chapter`, `part`","completions":["default","section","chapter","part"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","context","$docbook-all","tei"],"description":{"short":"Treat top-level headings as the given division type (`default`, `section`, `chapter`, or `part`). The hierarchy\norder is part, chapter, then section; all headings are shifted such \nthat the top-level heading becomes the specified type.\n","long":"Treat top-level headings as the given division type (`default`, `section`, `chapter`, or `part`). The hierarchy\norder is part, chapter, then section; all headings are shifted such \nthat the top-level heading becomes the specified type. \n\nThe default behavior is to determine the\nbest division type via heuristics: unless other conditions\napply, `section` is chosen. When the `documentclass`\nvariable is set to `report`, `book`, or `memoir` (unless the\n`article` option is specified), `chapter` is implied as the\nsetting for this option. If `beamer` is the output format,\nspecifying either `chapter` or `part` will cause top-level\nheadings to become `\\part{..}`, while second-level headings\nremain as their default type.\n"}},"documentation":"Treat top-level headings as the given division type\n(default, section, chapter, or\npart). The hierarchy order is part, chapter, then section;\nall headings are shifted such that the top-level heading becomes the\nspecified type.","$id":"quarto-resource-document-numbering-top-level-division"},"quarto-resource-document-ojs-ojs-engine":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"If `true`, force the presence of the OJS runtime. If `false`, force the absence instead.\nIf unset, the OJS runtime is included only if OJS cells are present in the document.\n"},"documentation":"If true, force the presence of the OJS runtime. If\nfalse, force the absence instead. If unset, the OJS runtime\nis included only if OJS cells are present in the document.","$id":"quarto-resource-document-ojs-ojs-engine"},"quarto-resource-document-options-reference-doc":{"type":"string","description":"be a string","tags":{"formats":["$office-all","odt"],"description":"Use the specified file as a style reference in producing a docx, \npptx, or odt file.\n"},"documentation":"Use the specified file as a style reference in producing a docx,\npptx, or odt file.","$id":"quarto-resource-document-options-reference-doc"},"quarto-resource-document-options-brand":{"_internalId":4680,"type":"ref","$ref":"brand-path-bool-light-dark","description":"be brand-path-bool-light-dark","documentation":"Branding information to use for this document. If a string, the path\nto a brand file. If false, don’t use branding on this document. If an\nobject, an inline brand definition, or an object with light and dark\nbrand paths or definitions.","tags":{"description":"Branding information to use for this document. If a string, the path to a brand file.\nIf false, don't use branding on this document. If an object, an inline brand\ndefinition, or an object with light and dark brand paths or definitions.\n"},"$id":"quarto-resource-document-options-brand"},"quarto-resource-document-options-theme":{"_internalId":4705,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4689,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},{"_internalId":4704,"type":"object","description":"be an object","properties":{"light":{"_internalId":4697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The light theme name, theme scss file, or a mix of both."},"documentation":"The light theme name, theme scss file, or a mix of both."},{"_internalId":4696,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The light theme name, theme scss file, or a mix of both."},"documentation":"The light theme name, theme scss file, or a mix of both."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"dark":{"_internalId":4703,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The dark theme name, theme scss file, or a mix of both."},"documentation":"The dark theme name, theme scss file, or a mix of both."},{"_internalId":4702,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The dark theme name, theme scss file, or a mix of both."},"documentation":"The dark theme name, theme scss file, or a mix of both."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an array of values, where each element must be a string, an object","tags":{"formats":["$html-doc","revealjs","beamer","dashboard"],"description":"Theme name, theme scss file, or a mix of both."},"documentation":"Theme name, theme scss file, or a mix of both.","$id":"quarto-resource-document-options-theme"},"quarto-resource-document-options-body-classes":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Classes to apply to the body of the document.\n"},"documentation":"Classes to apply to the body of the document.","$id":"quarto-resource-document-options-body-classes"},"quarto-resource-document-options-minimal":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Disables the built in html features like theming, anchor sections, code block behavior, and more."},"documentation":"Disables the built in html features like theming, anchor sections,\ncode block behavior, and more.","$id":"quarto-resource-document-options-minimal"},"quarto-resource-document-options-document-css":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables inclusion of Pandoc default CSS for this document.","hidden":true},"documentation":"Enables inclusion of Pandoc default CSS for this document.","$id":"quarto-resource-document-options-document-css"},"quarto-resource-document-options-css":{"_internalId":4717,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4716,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":"One or more CSS style sheets."},"documentation":"One or more CSS style sheets.","$id":"quarto-resource-document-options-css"},"quarto-resource-document-options-anchor-sections":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Enables hover over a section title to see an anchor link."},"documentation":"Enables hover over a section title to see an anchor link.","$id":"quarto-resource-document-options-anchor-sections"},"quarto-resource-document-options-tabsets":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Enables tabsets to present content."},"documentation":"Enables tabsets to present content.","$id":"quarto-resource-document-options-tabsets"},"quarto-resource-document-options-smooth-scroll":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Enables smooth scrolling within the page."},"documentation":"Enables smooth scrolling within the page.","$id":"quarto-resource-document-options-smooth-scroll"},"quarto-resource-document-options-respect-user-color-scheme":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Enables setting dark mode based on the `prefers-color-scheme` media query.","long":"If set, Quarto reads the `prefers-color-scheme` media query to determine whether to show\nthe user a dark or light page. Otherwise the author-preferred color scheme is shown.\n"}},"documentation":"Enables setting dark mode based on the\nprefers-color-scheme media query.","$id":"quarto-resource-document-options-respect-user-color-scheme"},"quarto-resource-document-options-html-math-method":{"_internalId":4739,"type":"anyOf","anyOf":[{"_internalId":4730,"type":"ref","$ref":"math-methods","description":"be math-methods"},{"_internalId":4738,"type":"object","description":"be an object","properties":{"method":{"_internalId":4735,"type":"ref","$ref":"math-methods","description":"be math-methods"},"url":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["method"]}],"description":"be at least one of: math-methods, an object","tags":{"formats":["$html-doc","$epub-all","gfm"],"description":{"short":"Method use to render math in HTML output","long":"Method use to render math in HTML output (`plain`, `webtex`, `gladtex`, `mathml`, `mathjax`, `katex`).\n\nSee the Pandoc documentation on [Math Rendering in HTML](https://pandoc.org/MANUAL.html#math-rendering-in-html)\nfor additional details.\n"}},"documentation":"Method use to render math in HTML output","$id":"quarto-resource-document-options-html-math-method"},"quarto-resource-document-options-section-divs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Wrap sections in `
` tags and attach identifiers to the enclosing `
`\nrather than the heading itself.\n"},"documentation":"Wrap sections in <section> tags and attach\nidentifiers to the enclosing <section> rather than\nthe heading itself.","$id":"quarto-resource-document-options-section-divs"},"quarto-resource-document-options-identifier-prefix":{"type":"string","description":"be a string","tags":{"formats":["$html-files","$docbook-all","$markdown-all","haddock"],"description":{"short":"Specify a prefix to be added to all identifiers and internal links.","long":"Specify a prefix to be added to all identifiers and internal links in HTML and\nDocBook output, and to footnote numbers in Markdown and Haddock output. \nThis is useful for preventing duplicate identifiers when generating fragments\nto be included in other pages.\n"}},"documentation":"Specify a prefix to be added to all identifiers and internal\nlinks.","$id":"quarto-resource-document-options-identifier-prefix"},"quarto-resource-document-options-email-obfuscation":{"_internalId":4746,"type":"enum","enum":["none","references","javascript"],"description":"be one of: `none`, `references`, `javascript`","completions":["none","references","javascript"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Method for obfuscating mailto: links in HTML documents.","long":"Specify a method for obfuscating `mailto:` links in HTML documents.\n\n- `javascript`: Obfuscate links using JavaScript.\n- `references`: Obfuscate links by printing their letters as decimal or hexadecimal character references.\n- `none` (default): Do not obfuscate links.\n"}},"documentation":"Method for obfuscating mailto: links in HTML documents.","$id":"quarto-resource-document-options-email-obfuscation"},"quarto-resource-document-options-html-q-tags":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-all"],"description":"Use `` tags for quotes in HTML."},"documentation":"Use <q> tags for quotes in HTML.","$id":"quarto-resource-document-options-html-q-tags"},"quarto-resource-document-options-pdf-engine":{"_internalId":4751,"type":"enum","enum":["pdflatex","lualatex","xelatex","latexmk","tectonic","wkhtmltopdf","weasyprint","pagedjs-cli","prince","context","pdfroff","typst"],"description":"be one of: `pdflatex`, `lualatex`, `xelatex`, `latexmk`, `tectonic`, `wkhtmltopdf`, `weasyprint`, `pagedjs-cli`, `prince`, `context`, `pdfroff`, `typst`","completions":["pdflatex","lualatex","xelatex","latexmk","tectonic","wkhtmltopdf","weasyprint","pagedjs-cli","prince","context","pdfroff","typst"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","ms","context"],"description":{"short":"Use the specified engine when producing PDF output.","long":"Use the specified engine when producing PDF output. If the engine is not\nin your PATH, the full path of the engine may be specified here. If this\noption is not specified, Quarto uses the following defaults\ndepending on the output format in use:\n\n- `latex`: `lualatex` (other options: `pdflatex`, `xelatex`,\n `tectonic`, `latexmk`)\n- `context`: `context`\n- `html`: `wkhtmltopdf` (other options: `prince`, `weasyprint`, `pagedjs-cli`;\n see [print-css.rocks](https://print-css.rocks) for a good\n introduction to PDF generation from HTML/CSS.)\n- `ms`: `pdfroff`\n- `typst`: `typst`\n"}},"documentation":"Use the specified engine when producing PDF output.","$id":"quarto-resource-document-options-pdf-engine"},"quarto-resource-document-options-pdf-engine-opt":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","ms","context"],"description":{"short":"Use the given string as a command-line argument to the `pdf-engine`.","long":"Use the given string as a command-line argument to the pdf-engine.\nFor example, to use a persistent directory foo for latexmk’s auxiliary\nfiles, use `pdf-engine-opt: -outdir=foo`. Note that no check for \nduplicate options is done.\n"}},"documentation":"Use the given string as a command-line argument to the\npdf-engine.","$id":"quarto-resource-document-options-pdf-engine-opt"},"quarto-resource-document-options-pdf-engine-opts":{"_internalId":4758,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$pdf-all","ms","context"],"description":{"short":"Pass multiple command-line arguments to the `pdf-engine`.","long":"Use the given strings passed as a array as command-line arguments to the pdf-engine.\nThis is an alternative to `pdf-engine-opt` for passing multiple options.\n"}},"documentation":"Pass multiple command-line arguments to the\npdf-engine.","$id":"quarto-resource-document-options-pdf-engine-opts"},"quarto-resource-document-options-beamerarticle":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf"],"description":"Whether to produce a Beamer article from this presentation."},"documentation":"Whether to produce a Beamer article from this presentation.","$id":"quarto-resource-document-options-beamerarticle"},"quarto-resource-document-options-beameroption":{"_internalId":4766,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4765,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"Add an extra Beamer option using `\\setbeameroption{}`."},"documentation":"Add an extra Beamer option using \\setbeameroption{}.","$id":"quarto-resource-document-options-beameroption"},"quarto-resource-document-options-aspectratio":{"_internalId":4769,"type":"enum","enum":[43,169,1610,149,141,54,32],"description":"be one of: `43`, `169`, `1610`, `149`, `141`, `54`, `32`","completions":["43","169","1610","149","141","54","32"],"exhaustiveCompletions":true,"tags":{"formats":["beamer"],"description":"The aspect ratio for this presentation."},"documentation":"The aspect ratio for this presentation.","$id":"quarto-resource-document-options-aspectratio"},"quarto-resource-document-options-logo":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The logo image."},"documentation":"The logo image.","$id":"quarto-resource-document-options-logo"},"quarto-resource-document-options-titlegraphic":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The image for the title slide."},"documentation":"The image for the title slide.","$id":"quarto-resource-document-options-titlegraphic"},"quarto-resource-document-options-navigation":{"_internalId":4776,"type":"enum","enum":["empty","frame","vertical","horizontal"],"description":"be one of: `empty`, `frame`, `vertical`, `horizontal`","completions":["empty","frame","vertical","horizontal"],"exhaustiveCompletions":true,"tags":{"formats":["beamer"],"description":"Controls navigation symbols for the presentation (`empty`, `frame`, `vertical`, or `horizontal`)"},"documentation":"Controls navigation symbols for the presentation (empty,\nframe, vertical, or\nhorizontal)","$id":"quarto-resource-document-options-navigation"},"quarto-resource-document-options-section-titles":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["beamer"],"description":"Whether to enable title pages for new sections."},"documentation":"Whether to enable title pages for new sections.","$id":"quarto-resource-document-options-section-titles"},"quarto-resource-document-options-colortheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer color theme for this presentation, passed to `\\usecolortheme`."},"documentation":"The Beamer color theme for this presentation, passed to\n\\usecolortheme.","$id":"quarto-resource-document-options-colortheme"},"quarto-resource-document-options-colorthemeoptions":{"_internalId":4786,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4785,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer color theme options for this presentation, passed to `\\usecolortheme`."},"documentation":"The Beamer color theme options for this presentation, passed to\n\\usecolortheme.","$id":"quarto-resource-document-options-colorthemeoptions"},"quarto-resource-document-options-fonttheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer font theme for this presentation, passed to `\\usefonttheme`."},"documentation":"The Beamer font theme for this presentation, passed to\n\\usefonttheme.","$id":"quarto-resource-document-options-fonttheme"},"quarto-resource-document-options-fontthemeoptions":{"_internalId":4794,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4793,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer font theme options for this presentation, passed to `\\usefonttheme`."},"documentation":"The Beamer font theme options for this presentation, passed to\n\\usefonttheme.","$id":"quarto-resource-document-options-fontthemeoptions"},"quarto-resource-document-options-innertheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer inner theme for this presentation, passed to `\\useinnertheme`."},"documentation":"The Beamer inner theme for this presentation, passed to\n\\useinnertheme.","$id":"quarto-resource-document-options-innertheme"},"quarto-resource-document-options-innerthemeoptions":{"_internalId":4802,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4801,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer inner theme options for this presentation, passed to `\\useinnertheme`."},"documentation":"The Beamer inner theme options for this presentation, passed to\n\\useinnertheme.","$id":"quarto-resource-document-options-innerthemeoptions"},"quarto-resource-document-options-outertheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer outer theme for this presentation, passed to `\\useoutertheme`."},"documentation":"The Beamer outer theme for this presentation, passed to\n\\useoutertheme.","$id":"quarto-resource-document-options-outertheme"},"quarto-resource-document-options-outerthemeoptions":{"_internalId":4810,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4809,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer outer theme options for this presentation, passed to `\\useoutertheme`."},"documentation":"The Beamer outer theme options for this presentation, passed to\n\\useoutertheme.","$id":"quarto-resource-document-options-outerthemeoptions"},"quarto-resource-document-options-themeoptions":{"_internalId":4816,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4815,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"Options passed to LaTeX Beamer themes inside `\\usetheme`."},"documentation":"Options passed to LaTeX Beamer themes inside\n\\usetheme.","$id":"quarto-resource-document-options-themeoptions"},"quarto-resource-document-options-section":{"type":"number","description":"be a number","tags":{"formats":["man"],"description":"The section number in man pages."},"documentation":"The section number in man pages.","$id":"quarto-resource-document-options-section"},"quarto-resource-document-options-variant":{"type":"string","description":"be a string","tags":{"formats":["$markdown-all"],"description":"Enable and disable extensions for markdown output (e.g. \"+emoji\")\n"},"documentation":"Enable and disable extensions for markdown output (e.g. “+emoji”)","$id":"quarto-resource-document-options-variant"},"quarto-resource-document-options-markdown-headings":{"_internalId":4823,"type":"enum","enum":["setext","atx"],"description":"be one of: `setext`, `atx`","completions":["setext","atx"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all","ipynb"],"description":"Specify whether to use `atx` (`#`-prefixed) or\n`setext` (underlined) headings for level 1 and 2\nheadings (`atx` or `setext`).\n"},"documentation":"Specify whether to use atx (#-prefixed) or\nsetext (underlined) headings for level 1 and 2 headings\n(atx or setext).","$id":"quarto-resource-document-options-markdown-headings"},"quarto-resource-document-options-ipynb-output":{"_internalId":4826,"type":"enum","enum":["none","all","best"],"description":"be one of: `none`, `all`, `best`","completions":["none","all","best"],"exhaustiveCompletions":true,"tags":{"formats":["ipynb"],"description":{"short":"Determines which ipynb cell output formats are rendered (`none`, `all`, or `best`).","long":"Determines which ipynb cell output formats are rendered.\n\n- `all`: Preserve all of the data formats included in the original.\n- `none`: Omit the contents of data cells.\n- `best` (default): Instruct pandoc to try to pick the\n richest data block in each output cell that is compatible\n with the output format.\n"}},"documentation":"Determines which ipynb cell output formats are rendered\n(none, all, or best).","$id":"quarto-resource-document-options-ipynb-output"},"quarto-resource-document-options-quarto-required":{"type":"string","description":"be a string","documentation":"semver version range for required quarto version","tags":{"description":{"short":"semver version range for required quarto version","long":"A semver version range describing the supported quarto versions for this document\nor project.\n\nExamples:\n\n- `>= 1.1.0`: Require at least quarto version 1.1\n- `1.*`: Require any quarto versions whose major version number is 1\n"}},"$id":"quarto-resource-document-options-quarto-required"},"quarto-resource-document-options-preview-mode":{"type":"string","description":"be a string","tags":{"formats":["$jats-all","gfm"],"description":{"short":"The mode to use when previewing this document.","long":"The mode to use when previewing this document. To disable any special\npreviewing features, pass `raw` as the preview-mode.\n"}},"documentation":"The mode to use when previewing this document.","$id":"quarto-resource-document-options-preview-mode"},"quarto-resource-document-pdfa-pdfa":{"_internalId":4837,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"formats":["context"],"description":{"short":"Adds the necessary setup to the document preamble to generate PDF/A of the type specified.","long":"Adds the necessary setup to the document preamble to generate PDF/A of the type specified.\n\nIf the value is set to `true`, `1b:2005` will be used as default.\n\nTo successfully generate PDF/A the required\nICC color profiles have to be available and the content and all\nincluded files (such as images) have to be standard conforming.\nThe ICC profiles and output intent may be specified using the\nvariables `pdfaiccprofile` and `pdfaintent`. See also [ConTeXt\nPDFA](https://wiki.contextgarden.net/PDF/A) for more details.\n"}},"documentation":"Adds the necessary setup to the document preamble to generate PDF/A\nof the type specified.","$id":"quarto-resource-document-pdfa-pdfa"},"quarto-resource-document-pdfa-pdfaiccprofile":{"_internalId":4843,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4842,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"When used in conjunction with `pdfa`, specifies the ICC profile to use \nin the PDF, e.g. `default.cmyk`.\n","long":"When used in conjunction with `pdfa`, specifies the ICC profile to use \nin the PDF, e.g. `default.cmyk`.\n\nIf left unspecified, `sRGB.icc` is used as default. May be repeated to \ninclude multiple profiles. Note that the profiles have to be available \non the system. They can be obtained from \n[ConTeXt ICC Profiles](https://wiki.contextgarden.net/PDFX#ICC_profiles).\n"}},"documentation":"When used in conjunction with pdfa, specifies the ICC\nprofile to use in the PDF, e.g. default.cmyk.","$id":"quarto-resource-document-pdfa-pdfaiccprofile"},"quarto-resource-document-pdfa-pdfaintent":{"type":"string","description":"be a string","tags":{"formats":["context"],"description":{"short":"When used in conjunction with `pdfa`, specifies the output intent for the colors.","long":"When used in conjunction with `pdfa`, specifies the output intent for\nthe colors, for example `ISO coated v2 300\\letterpercent\\space (ECI)`\n\nIf left unspecified, `sRGB IEC61966-2.1` is used as default.\n"}},"documentation":"When used in conjunction with pdfa, specifies the output\nintent for the colors.","$id":"quarto-resource-document-pdfa-pdfaintent"},"quarto-resource-document-references-bibliography":{"_internalId":4851,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4850,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Document bibliography (BibTeX or CSL). May be a single file or a list of files\n"},"documentation":"Document bibliography (BibTeX or CSL). May be a single file or a list\nof files","$id":"quarto-resource-document-references-bibliography"},"quarto-resource-document-references-csl":{"type":"string","description":"be a string","documentation":"Citation Style Language file to use for formatting references.","tags":{"description":"Citation Style Language file to use for formatting references."},"$id":"quarto-resource-document-references-csl"},"quarto-resource-document-references-citations-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables a hover popup for citation that shows the reference information."},"documentation":"Enables a hover popup for citation that shows the reference\ninformation.","$id":"quarto-resource-document-references-citations-hover"},"quarto-resource-document-references-citation-location":{"_internalId":4858,"type":"enum","enum":["document","margin"],"description":"be one of: `document`, `margin`","completions":["document","margin"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Where citation information should be displayed (`document` or `margin`)"},"documentation":"Where citation information should be displayed (document\nor margin)","$id":"quarto-resource-document-references-citation-location"},"quarto-resource-document-references-cite-method":{"_internalId":4861,"type":"enum","enum":["citeproc","natbib","biblatex"],"description":"be one of: `citeproc`, `natbib`, `biblatex`","completions":["citeproc","natbib","biblatex"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Method used to format citations (`citeproc`, `natbib`, or `biblatex`).\n"},"documentation":"Method used to format citations (citeproc,\nnatbib, or biblatex).","$id":"quarto-resource-document-references-cite-method"},"quarto-resource-document-references-citeproc":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Turn on built-in citation processing","tags":{"description":{"short":"Turn on built-in citation processing","long":"Turn on built-in citation processing. To use this feature, you will need\nto have a document containing citations and a source of bibliographic data: \neither an external bibliography file or a list of `references` in the \ndocument's YAML metadata. You can optionally also include a `csl` \ncitation style file.\n"}},"$id":"quarto-resource-document-references-citeproc"},"quarto-resource-document-references-biblatexoptions":{"_internalId":4869,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4868,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":"A list of options for BibLaTeX."},"documentation":"A list of options for BibLaTeX.","$id":"quarto-resource-document-references-biblatexoptions"},"quarto-resource-document-references-natbiboptions":{"_internalId":4875,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4874,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":"One or more options to provide for `natbib` when generating a bibliography."},"documentation":"One or more options to provide for natbib when\ngenerating a bibliography.","$id":"quarto-resource-document-references-natbiboptions"},"quarto-resource-document-references-biblio-style":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"The bibliography style to use (e.g. `\\bibliographystyle{dinat}`) when using `natbib` or `biblatex`."},"documentation":"The bibliography style to use\n(e.g. \\bibliographystyle{dinat}) when using\nnatbib or biblatex.","$id":"quarto-resource-document-references-biblio-style"},"quarto-resource-document-references-bibliographystyle":{"type":"string","description":"be a string","tags":{"formats":["typst"],"description":"The bibliography style to use (e.g. `#set bibliography(style: \"apa\")`) when using typst built-in citation system (e.g when not `citeproc: true`)."},"documentation":"The bibliography style to use\n(e.g. #set bibliography(style: \"apa\")) when using typst\nbuilt-in citation system (e.g when not citeproc: true).","$id":"quarto-resource-document-references-bibliographystyle"},"quarto-resource-document-references-biblio-title":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"The bibliography title to use when using `natbib` or `biblatex`."},"documentation":"The bibliography title to use when using natbib or\nbiblatex.","$id":"quarto-resource-document-references-biblio-title"},"quarto-resource-document-references-biblio-config":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Controls whether to output bibliography configuration for `natbib` or `biblatex` when cite method is not `citeproc`."},"documentation":"Controls whether to output bibliography configuration for\nnatbib or biblatex when cite method is not\nciteproc.","$id":"quarto-resource-document-references-biblio-config"},"quarto-resource-document-references-citation-abbreviations":{"type":"string","description":"be a string","documentation":"JSON file containing abbreviations of journals that should be used in\nformatted bibliographies.","tags":{"description":{"short":"JSON file containing abbreviations of journals that should be used in formatted bibliographies.","long":"JSON file containing abbreviations of journals that should be\nused in formatted bibliographies when `form=\"short\"` is\nspecified. The format of the file can be illustrated with an\nexample:\n\n```json\n{ \"default\": {\n \"container-title\": {\n \"Lloyd's Law Reports\": \"Lloyd's Rep\",\n \"Estates Gazette\": \"EG\",\n \"Scots Law Times\": \"SLT\"\n }\n }\n}\n```\n"}},"$id":"quarto-resource-document-references-citation-abbreviations"},"quarto-resource-document-references-link-citations":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","docx"],"description":"If true, citations will be hyperlinked to the corresponding bibliography entries (for author-date and numerical styles only). Defaults to false."},"documentation":"If true, citations will be hyperlinked to the corresponding\nbibliography entries (for author-date and numerical styles only).\nDefaults to false.","$id":"quarto-resource-document-references-link-citations"},"quarto-resource-document-references-link-bibliography":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","docx"],"description":{"short":"If true, DOIs, PMCIDs, PMID, and URLs in bibliographies will be rendered as hyperlinks.","long":"If true, DOIs, PMCIDs, PMID, and URLs in bibliographies will be rendered as hyperlinks. (If an entry contains a DOI, PMCID, PMID, or URL, but none of \nthese fields are rendered by the style, then the title, or in the absence of a title the whole entry, will be hyperlinked.) Defaults to true.\n"}},"documentation":"If true, DOIs, PMCIDs, PMID, and URLs in bibliographies will be\nrendered as hyperlinks.","$id":"quarto-resource-document-references-link-bibliography"},"quarto-resource-document-references-notes-after-punctuation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","docx"],"description":{"short":"Places footnote references or superscripted numerical citations after following punctuation.","long":"If true (the default for note styles), Quarto (via Pandoc) will put footnote references or superscripted numerical citations after \nfollowing punctuation. For example, if the source contains `blah blah [@jones99]`., the result will look like `blah blah.[^1]`, with \nthe note moved after the period and the space collapsed. \n\nIf false, the space will still be collapsed, but the footnote will not be moved after the punctuation. The option may also be used \nin numerical styles that use superscripts for citation numbers (but for these styles the default is not to move the citation).\n"}},"documentation":"Places footnote references or superscripted numerical citations after\nfollowing punctuation.","$id":"quarto-resource-document-references-notes-after-punctuation"},"quarto-resource-document-render-from":{"type":"string","description":"be a string","documentation":"Format to read from","tags":{"description":{"short":"Format to read from","long":"Format to read from. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. markdown+emoji).\n"}},"$id":"quarto-resource-document-render-from"},"quarto-resource-document-render-reader":{"type":"string","description":"be a string","documentation":"Format to read from","tags":{"description":{"short":"Format to read from","long":"Format to read from. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. markdown+emoji).\n"}},"$id":"quarto-resource-document-render-reader"},"quarto-resource-document-render-output-file":{"_internalId":4896,"type":"ref","$ref":"pandoc-format-output-file","description":"be pandoc-format-output-file","documentation":"Output file to write to","tags":{"description":"Output file to write to"},"$id":"quarto-resource-document-render-output-file"},"quarto-resource-document-render-output-ext":{"type":"string","description":"be a string","documentation":"Extension to use for generated output file","tags":{"description":"Extension to use for generated output file\n"},"$id":"quarto-resource-document-render-output-ext"},"quarto-resource-document-render-template":{"type":"string","description":"be a string","tags":{"formats":["!$office-all","!ipynb"],"description":"Use the specified file as a custom template for the generated document.\n"},"documentation":"Use the specified file as a custom template for the generated\ndocument.","$id":"quarto-resource-document-render-template"},"quarto-resource-document-render-template-partials":{"_internalId":4906,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4905,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!ipynb"],"description":"Include the specified files as partials accessible to the template for the generated content.\n"},"documentation":"Include the specified files as partials accessible to the template\nfor the generated content.","$id":"quarto-resource-document-render-template-partials"},"quarto-resource-document-render-embed-resources":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Produce a standalone HTML file with no external dependencies","long":"Produce a standalone HTML file with no external dependencies, using\n`data:` URIs to incorporate the contents of linked scripts, stylesheets,\nimages, and videos. The resulting file should be \"self-contained,\" in the\nsense that it needs no external files and no net access to be displayed\nproperly by a browser. This option works only with HTML output formats,\nincluding `html4`, `html5`, `html+lhs`, `html5+lhs`, `s5`, `slidy`,\n`slideous`, `dzslides`, and `revealjs`. Scripts, images, and stylesheets at\nabsolute URLs will be downloaded; those at relative URLs will be sought\nrelative to the working directory (if the first source\nfile is local) or relative to the base URL (if the first source\nfile is remote). Elements with the attribute\n`data-external=\"1\"` will be left alone; the documents they\nlink to will not be incorporated in the document.\nLimitation: resources that are loaded dynamically through\nJavaScript cannot be incorporated; as a result, some\nadvanced features (e.g. zoom or speaker notes) may not work\nin an offline \"self-contained\" `reveal.js` slide show.\n"}},"documentation":"Produce a standalone HTML file with no external dependencies","$id":"quarto-resource-document-render-embed-resources"},"quarto-resource-document-render-self-contained":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Produce a standalone HTML file with no external dependencies","long":"Produce a standalone HTML file with no external dependencies. Note that\nthis option has been deprecated in favor of `embed-resources`.\n"},"hidden":true},"documentation":"Produce a standalone HTML file with no external dependencies","$id":"quarto-resource-document-render-self-contained"},"quarto-resource-document-render-self-contained-math":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Embed math libraries (e.g. MathJax) within `self-contained` output.","long":"Embed math libraries (e.g. MathJax) within `self-contained` output.\nNote that math libraries are not embedded by default because they are \n quite large and often time consuming to download.\n"}},"documentation":"Embed math libraries (e.g. MathJax) within\nself-contained output.","$id":"quarto-resource-document-render-self-contained-math"},"quarto-resource-document-render-filters":{"_internalId":4915,"type":"ref","$ref":"pandoc-format-filters","description":"be pandoc-format-filters","documentation":"Specify executables or Lua scripts to be used as a filter\ntransforming the pandoc AST after the input is parsed and before the\noutput is written.","tags":{"description":"Specify executables or Lua scripts to be used as a filter transforming\nthe pandoc AST after the input is parsed and before the output is written.\n"},"$id":"quarto-resource-document-render-filters"},"quarto-resource-document-render-shortcodes":{"_internalId":4918,"type":"ref","$ref":"pandoc-shortcodes","description":"be pandoc-shortcodes","documentation":"Specify Lua scripts that implement shortcode handlers","tags":{"description":"Specify Lua scripts that implement shortcode handlers\n"},"$id":"quarto-resource-document-render-shortcodes"},"quarto-resource-document-render-keep-md":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"description":"Keep the markdown file generated by executing code"},"documentation":"Keep the markdown file generated by executing code","$id":"quarto-resource-document-render-keep-md"},"quarto-resource-document-render-keep-ipynb":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"description":"Keep the notebook file generated from executing code."},"documentation":"Keep the notebook file generated from executing code.","$id":"quarto-resource-document-render-keep-ipynb"},"quarto-resource-document-render-ipynb-filters":{"_internalId":4927,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"contexts":["document-execute"],"description":"Filters to pre-process ipynb files before rendering to markdown"},"documentation":"Filters to pre-process ipynb files before rendering to markdown","$id":"quarto-resource-document-render-ipynb-filters"},"quarto-resource-document-render-ipynb-shell-interactivity":{"_internalId":4930,"type":"enum","enum":[null,"all","last","last_expr","none","last_expr_or_assign"],"description":"be one of: `null`, `all`, `last`, `last_expr`, `none`, `last_expr_or_assign`","completions":["null","all","last","last_expr","none","last_expr_or_assign"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"engine":"jupyter","description":"Specify which nodes should be run interactively (displaying output from expressions)\n"},"documentation":"Specify which nodes should be run interactively (displaying output\nfrom expressions)","$id":"quarto-resource-document-render-ipynb-shell-interactivity"},"quarto-resource-document-render-plotly-connected":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"engine":"jupyter","description":"If true, use the \"notebook_connected\" plotly renderer, which downloads\nits dependencies from a CDN and requires an internet connection to view.\n"},"documentation":"If true, use the “notebook_connected” plotly renderer, which\ndownloads its dependencies from a CDN and requires an internet\nconnection to view.","$id":"quarto-resource-document-render-plotly-connected"},"quarto-resource-document-render-keep-typ":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["typst"],"description":"Keep the intermediate typst file used during render."},"documentation":"Keep the intermediate typst file used during render.","$id":"quarto-resource-document-render-keep-typ"},"quarto-resource-document-render-keep-tex":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Keep the intermediate tex file used during render."},"documentation":"Keep the intermediate tex file used during render.","$id":"quarto-resource-document-render-keep-tex"},"quarto-resource-document-render-extract-media":{"type":"string","description":"be a string","documentation":"Extract images and other media contained in or linked from the source\ndocument to the path DIR.","tags":{"description":{"short":"Extract images and other media contained in or linked from the source document to the\npath DIR.\n","long":"Extract images and other media contained in or linked from the source document to the\npath DIR, creating it if necessary, and adjust the images references in the document\nso they point to the extracted files. Media are downloaded, read from the file\nsystem, or extracted from a binary container (e.g. docx), as needed. The original\nfile paths are used if they are relative paths not containing ... Otherwise filenames\nare constructed from the SHA1 hash of the contents.\n"}},"$id":"quarto-resource-document-render-extract-media"},"quarto-resource-document-render-resource-path":{"_internalId":4943,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"List of paths to search for images and other resources.","tags":{"description":"List of paths to search for images and other resources.\n"},"$id":"quarto-resource-document-render-resource-path"},"quarto-resource-document-render-default-image-extension":{"type":"string","description":"be a string","documentation":"Specify a default extension to use when image paths/URLs have no\nextension.","tags":{"description":{"short":"Specify a default extension to use when image paths/URLs have no extension.\n","long":"Specify a default extension to use when image paths/URLs have no\nextension. This allows you to use the same source for formats that\nrequire different kinds of images. Currently this option only affects\nthe Markdown and LaTeX readers.\n"}},"$id":"quarto-resource-document-render-default-image-extension"},"quarto-resource-document-render-abbreviations":{"type":"string","description":"be a string","documentation":"Specifies a custom abbreviations file, with abbreviations one to a\nline.","tags":{"description":{"short":"Specifies a custom abbreviations file, with abbreviations one to a line.\n","long":"Specifies a custom abbreviations file, with abbreviations one to a line.\nThis list is used when reading Markdown input: strings found in this list\nwill be followed by a nonbreaking space, and the period will not produce sentence-ending space in formats like LaTeX. The strings may not contain\nspaces.\n"}},"$id":"quarto-resource-document-render-abbreviations"},"quarto-resource-document-render-dpi":{"type":"number","description":"be a number","documentation":"Specify the default dpi (dots per inch) value for conversion from\npixels to inch/ centimeters and vice versa.","tags":{"description":{"short":"Specify the default dpi (dots per inch) value for conversion from pixels to inch/\ncentimeters and vice versa.\n","long":"Specify the default dpi (dots per inch) value for conversion from pixels to inch/\ncentimeters and vice versa. (Technically, the correct term would be ppi: pixels per\ninch.) The default is `96`. When images contain information about dpi internally, the\nencoded value is used instead of the default specified by this option.\n"}},"$id":"quarto-resource-document-render-dpi"},"quarto-resource-document-render-html-table-processing":{"_internalId":4952,"type":"enum","enum":["none"],"description":"be 'none'","completions":["none"],"exhaustiveCompletions":true,"documentation":"If none, do not process tables in HTML input.","tags":{"description":"If `none`, do not process tables in HTML input."},"$id":"quarto-resource-document-render-html-table-processing"},"quarto-resource-document-render-html-pre-tag-processing":{"_internalId":4955,"type":"enum","enum":["none","parse"],"description":"be one of: `none`, `parse`","completions":["none","parse"],"exhaustiveCompletions":true,"tags":{"formats":["typst"],"description":"If `none`, ignore any divs with `html-pre-tag-processing=parse` enabled."},"documentation":"If none, ignore any divs with\nhtml-pre-tag-processing=parse enabled.","$id":"quarto-resource-document-render-html-pre-tag-processing"},"quarto-resource-document-render-css-property-processing":{"_internalId":4958,"type":"enum","enum":["none","translate"],"description":"be one of: `none`, `translate`","completions":["none","translate"],"exhaustiveCompletions":true,"tags":{"formats":["typst"],"description":{"short":"CSS property translation","long":"If `translate`, translate CSS properties into output format properties. If `none`, do not process css properties."}},"documentation":"CSS property translation","$id":"quarto-resource-document-render-css-property-processing"},"quarto-resource-document-render-use-rsvg-convert":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"If `true`, attempt to use `rsvg-convert` to convert SVG images to PDF."},"documentation":"If true, attempt to use rsvg-convert to\nconvert SVG images to PDF.","$id":"quarto-resource-document-render-use-rsvg-convert"},"quarto-resource-document-reveal-content-logo":{"_internalId":4963,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"formats":["revealjs"],"description":"Logo image (placed in bottom right corner of slides)"},"documentation":"Logo image (placed in bottom right corner of slides)","$id":"quarto-resource-document-reveal-content-logo"},"quarto-resource-document-reveal-content-footer":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":{"short":"Footer to include on all slides","long":"Footer to include on all slides. Can also be set per-slide by including a\ndiv with class `.footer` on the slide.\n"}},"documentation":"Footer to include on all slides","$id":"quarto-resource-document-reveal-content-footer"},"quarto-resource-document-reveal-content-scrollable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Allow content that overflows slides vertically to scroll","long":"`true` to allow content that overflows slides vertically to scroll. This can also\nbe set per-slide by including the `.scrollable` class on the slide title.\n"}},"documentation":"Allow content that overflows slides vertically to scroll","$id":"quarto-resource-document-reveal-content-scrollable"},"quarto-resource-document-reveal-content-smaller":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Use a smaller default font for slide content","long":"`true` to use a smaller default font for slide content. This can also\nbe set per-slide by including the `.smaller` class on the slide title.\n"}},"documentation":"Use a smaller default font for slide content","$id":"quarto-resource-document-reveal-content-smaller"},"quarto-resource-document-reveal-content-output-location":{"_internalId":4972,"type":"enum","enum":["default","fragment","slide","column","column-fragment"],"description":"be one of: `default`, `fragment`, `slide`, `column`, `column-fragment`","completions":["default","fragment","slide","column","column-fragment"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Location of output relative to the code that generated it (`default`, `fragment`, `slide`, `column`, or `column-location`)","long":"Location of output relative to the code that generated it. The possible values are as follows:\n\n- `default`: Normal flow of the slide after the code\n- `fragment`: In a fragment (not visible until you advance)\n- `slide`: On a new slide after the curent one\n- `column`: In an adjacent column \n- `column-fragment`: In an adjacent column (not visible until you advance)\n\nNote that this option is supported only for the `revealjs` format.\n"}},"documentation":"Location of output relative to the code that generated it\n(default, fragment, slide,\ncolumn, or column-location)","$id":"quarto-resource-document-reveal-content-output-location"},"quarto-resource-document-reveal-hidden-embedded":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Flags if the presentation is running in an embedded mode\n","hidden":true},"documentation":"Flags if the presentation is running in an embedded mode","$id":"quarto-resource-document-reveal-hidden-embedded"},"quarto-resource-document-reveal-hidden-display":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"The display mode that will be used to show slides","hidden":true},"documentation":"The display mode that will be used to show slides","$id":"quarto-resource-document-reveal-hidden-display"},"quarto-resource-document-reveal-layout-auto-stretch":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"For slides with a single top-level image, automatically stretch it to fill the slide."},"documentation":"For slides with a single top-level image, automatically stretch it to\nfill the slide.","$id":"quarto-resource-document-reveal-layout-auto-stretch"},"quarto-resource-document-reveal-layout-width":{"_internalId":4985,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","tags":{"formats":["revealjs"],"description":{"short":"The 'normal' width of the presentation","long":"The \"normal\" width of the presentation, aspect ratio will\nbe preserved when the presentation is scaled to fit different\nresolutions. Can be specified using percentage units.\n"}},"documentation":"The ‘normal’ width of the presentation","$id":"quarto-resource-document-reveal-layout-width"},"quarto-resource-document-reveal-layout-height":{"_internalId":4992,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","tags":{"formats":["revealjs"],"description":{"short":"The 'normal' height of the presentation","long":"The \"normal\" height of the presentation, aspect ratio will\nbe preserved when the presentation is scaled to fit different\nresolutions. Can be specified using percentage units.\n"}},"documentation":"The ‘normal’ height of the presentation","$id":"quarto-resource-document-reveal-layout-height"},"quarto-resource-document-reveal-layout-margin":{"_internalId":5012,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":5011,"type":"object","description":"be an object","properties":{"x":{"type":"string","description":"be a string","tags":{"description":"Horizontal margin (e.g. 5cm)"},"documentation":"Horizontal margin (e.g. 5cm)"},"y":{"type":"string","description":"be a string","tags":{"description":"Vertical margin (e.g. 5cm)"},"documentation":"Vertical margin (e.g. 5cm)"},"top":{"type":"string","description":"be a string","tags":{"description":"Top margin (e.g. 5cm)"},"documentation":"Top margin (e.g. 5cm)"},"bottom":{"type":"string","description":"be a string","tags":{"description":"Bottom margin (e.g. 5cm)"},"documentation":"Bottom margin (e.g. 5cm)"},"left":{"type":"string","description":"be a string","tags":{"description":"Left margin (e.g. 5cm)"},"documentation":"Left margin (e.g. 5cm)"},"right":{"type":"string","description":"be a string","tags":{"description":"Right margin (e.g. 5cm)"},"documentation":"Right margin (e.g. 5cm)"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a number, an object","tags":{"formats":["revealjs","typst"],"description":"For `revealjs`, the factor of the display size that should remain empty around the content (e.g. 0.1).\n\nFor `typst`, a dictionary with the fields defined in the Typst documentation:\n`x`, `y`, `top`, `bottom`, `left`, `right` (margins are specified in `cm` units,\ne.g. `5cm`).\n"},"documentation":"For revealjs, the factor of the display size that should\nremain empty around the content (e.g. 0.1).\nFor typst, a dictionary with the fields defined in the\nTypst documentation: x, y, top,\nbottom, left, right (margins are\nspecified in cm units, e.g. 5cm).","$id":"quarto-resource-document-reveal-layout-margin"},"quarto-resource-document-reveal-layout-min-scale":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Bounds for smallest possible scale to apply to content"},"documentation":"Bounds for smallest possible scale to apply to content","$id":"quarto-resource-document-reveal-layout-min-scale"},"quarto-resource-document-reveal-layout-max-scale":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Bounds for largest possible scale to apply to content"},"documentation":"Bounds for largest possible scale to apply to content","$id":"quarto-resource-document-reveal-layout-max-scale"},"quarto-resource-document-reveal-layout-center":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Vertical centering of slides"},"documentation":"Vertical centering of slides","$id":"quarto-resource-document-reveal-layout-center"},"quarto-resource-document-reveal-layout-disable-layout":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Disables the default reveal.js slide layout (scaling and centering)\n"},"documentation":"Disables the default reveal.js slide layout (scaling and\ncentering)","$id":"quarto-resource-document-reveal-layout-disable-layout"},"quarto-resource-document-reveal-layout-code-block-height":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Sets the maximum height for source code blocks that appear in the presentation.\n"},"documentation":"Sets the maximum height for source code blocks that appear in the\npresentation.","$id":"quarto-resource-document-reveal-layout-code-block-height"},"quarto-resource-document-reveal-media-preview-links":{"_internalId":5030,"type":"anyOf","anyOf":[{"_internalId":5027,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: 'auto', `true` or `false`","tags":{"formats":["revealjs"],"description":{"short":"Open links in an iframe preview overlay (`true`, `false`, or `auto`)","long":"Open links in an iframe preview overlay.\n\n- `true`: Open links in iframe preview overlay\n- `false`: Do not open links in iframe preview overlay\n- `auto` (default): Open links in iframe preview overlay, in fullscreen mode.\n"}},"documentation":"Open links in an iframe preview overlay (true,\nfalse, or auto)","$id":"quarto-resource-document-reveal-media-preview-links"},"quarto-resource-document-reveal-media-auto-play-media":{"_internalId":5033,"type":"enum","enum":[null,true,false],"description":"be one of: `null`, `true`, `false`","completions":["null","true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Autoplay embedded media (`null`, `true`, or `false`). Default is `null` (only when `autoplay` \nattribute is specified)\n"},"documentation":"Autoplay embedded media (null, true, or\nfalse). Default is null (only when\nautoplay attribute is specified)","$id":"quarto-resource-document-reveal-media-auto-play-media"},"quarto-resource-document-reveal-media-preload-iframes":{"_internalId":5036,"type":"enum","enum":[null,true,false],"description":"be one of: `null`, `true`, `false`","completions":["null","true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Global override for preloading lazy-loaded iframes (`null`, `true`, or `false`).","long":"Global override for preloading lazy-loaded iframes\n\n- `null`: Iframes with data-src AND data-preload will be loaded when within\n the `viewDistance`, iframes with only data-src will be loaded when visible\n- `true`: All iframes with data-src will be loaded when within the viewDistance\n- `false`: All iframes with data-src will be loaded only when visible\n"}},"documentation":"Global override for preloading lazy-loaded iframes\n(null, true, or false).","$id":"quarto-resource-document-reveal-media-preload-iframes"},"quarto-resource-document-reveal-media-view-distance":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of slides away from the current slide to pre-load resources for"},"documentation":"Number of slides away from the current slide to pre-load resources\nfor","$id":"quarto-resource-document-reveal-media-view-distance"},"quarto-resource-document-reveal-media-mobile-view-distance":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of slides away from the current slide to pre-load resources for (on mobile devices).\n"},"documentation":"Number of slides away from the current slide to pre-load resources\nfor (on mobile devices).","$id":"quarto-resource-document-reveal-media-mobile-view-distance"},"quarto-resource-document-reveal-media-parallax-background-image":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Parallax background image"},"documentation":"Parallax background image","$id":"quarto-resource-document-reveal-media-parallax-background-image"},"quarto-resource-document-reveal-media-parallax-background-size":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Parallax background size (e.g. '2100px 900px')"},"documentation":"Parallax background size (e.g. ‘2100px 900px’)","$id":"quarto-resource-document-reveal-media-parallax-background-size"},"quarto-resource-document-reveal-media-parallax-background-horizontal":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of pixels to move the parallax background horizontally per slide."},"documentation":"Number of pixels to move the parallax background horizontally per\nslide.","$id":"quarto-resource-document-reveal-media-parallax-background-horizontal"},"quarto-resource-document-reveal-media-parallax-background-vertical":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of pixels to move the parallax background vertically per slide."},"documentation":"Number of pixels to move the parallax background vertically per\nslide.","$id":"quarto-resource-document-reveal-media-parallax-background-vertical"},"quarto-resource-document-reveal-navigation-progress":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Display a presentation progress bar"},"documentation":"Display a presentation progress bar","$id":"quarto-resource-document-reveal-navigation-progress"},"quarto-resource-document-reveal-navigation-history":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Push each slide change to the browser history\n"},"documentation":"Push each slide change to the browser history","$id":"quarto-resource-document-reveal-navigation-history"},"quarto-resource-document-reveal-navigation-navigation-mode":{"_internalId":5055,"type":"enum","enum":["linear","vertical","grid"],"description":"be one of: `linear`, `vertical`, `grid`","completions":["linear","vertical","grid"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Navigation progression (`linear`, `vertical`, or `grid`)","long":"Changes the behavior of navigation directions.\n\n- `linear`: Removes the up/down arrows. Left/right arrows step through all\n slides (both horizontal and vertical).\n\n- `vertical`: Left/right arrow keys step between horizontal slides, up/down\n arrow keys step between vertical slides. Space key steps through\n all slides (both horizontal and vertical).\n\n- `grid`: When this is enabled, stepping left/right from a vertical stack\n to an adjacent vertical stack will land you at the same vertical\n index.\n"}},"documentation":"Navigation progression (linear, vertical,\nor grid)","$id":"quarto-resource-document-reveal-navigation-navigation-mode"},"quarto-resource-document-reveal-navigation-touch":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable touch navigation on devices with touch input\n"},"documentation":"Enable touch navigation on devices with touch input","$id":"quarto-resource-document-reveal-navigation-touch"},"quarto-resource-document-reveal-navigation-keyboard":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable keyboard shortcuts for navigation"},"documentation":"Enable keyboard shortcuts for navigation","$id":"quarto-resource-document-reveal-navigation-keyboard"},"quarto-resource-document-reveal-navigation-mouse-wheel":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable slide navigation via mouse wheel"},"documentation":"Enable slide navigation via mouse wheel","$id":"quarto-resource-document-reveal-navigation-mouse-wheel"},"quarto-resource-document-reveal-navigation-hide-inactive-cursor":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Hide cursor if inactive"},"documentation":"Hide cursor if inactive","$id":"quarto-resource-document-reveal-navigation-hide-inactive-cursor"},"quarto-resource-document-reveal-navigation-hide-cursor-time":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Time before the cursor is hidden (in ms)"},"documentation":"Time before the cursor is hidden (in ms)","$id":"quarto-resource-document-reveal-navigation-hide-cursor-time"},"quarto-resource-document-reveal-navigation-loop":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Loop the presentation"},"documentation":"Loop the presentation","$id":"quarto-resource-document-reveal-navigation-loop"},"quarto-resource-document-reveal-navigation-shuffle":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Randomize the order of slides each time the presentation loads"},"documentation":"Randomize the order of slides each time the presentation loads","$id":"quarto-resource-document-reveal-navigation-shuffle"},"quarto-resource-document-reveal-navigation-controls":{"_internalId":5077,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5076,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'auto'","tags":{"formats":["revealjs"],"description":{"short":"Show arrow controls for navigating through slides (`true`, `false`, or `auto`).","long":"Show arrow controls for navigating through slides.\n\n- `true`: Always show controls\n- `false`: Never show controls\n- `auto` (default): Show controls when vertical slides are present or when the deck is embedded in an iframe.\n"}},"documentation":"Show arrow controls for navigating through slides (true,\nfalse, or auto).","$id":"quarto-resource-document-reveal-navigation-controls"},"quarto-resource-document-reveal-navigation-controls-layout":{"_internalId":5080,"type":"enum","enum":["edges","bottom-right"],"description":"be one of: `edges`, `bottom-right`","completions":["edges","bottom-right"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Location for navigation controls (`edges` or `bottom-right`)"},"documentation":"Location for navigation controls (edges or\nbottom-right)","$id":"quarto-resource-document-reveal-navigation-controls-layout"},"quarto-resource-document-reveal-navigation-controls-tutorial":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Help the user learn the controls by providing visual hints."},"documentation":"Help the user learn the controls by providing visual hints.","$id":"quarto-resource-document-reveal-navigation-controls-tutorial"},"quarto-resource-document-reveal-navigation-controls-back-arrows":{"_internalId":5085,"type":"enum","enum":["faded","hidden","visible"],"description":"be one of: `faded`, `hidden`, `visible`","completions":["faded","hidden","visible"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Visibility rule for backwards navigation arrows (`faded`, `hidden`, or `visible`).\n"},"documentation":"Visibility rule for backwards navigation arrows (faded,\nhidden, or visible).","$id":"quarto-resource-document-reveal-navigation-controls-back-arrows"},"quarto-resource-document-reveal-navigation-auto-slide":{"_internalId":5093,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":5092,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true}],"description":"be at least one of: a number, 'false'","tags":{"formats":["revealjs"],"description":"Automatically progress all slides at the specified interval"},"documentation":"Automatically progress all slides at the specified interval","$id":"quarto-resource-document-reveal-navigation-auto-slide"},"quarto-resource-document-reveal-navigation-auto-slide-stoppable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Stop auto-sliding after user input"},"documentation":"Stop auto-sliding after user input","$id":"quarto-resource-document-reveal-navigation-auto-slide-stoppable"},"quarto-resource-document-reveal-navigation-auto-slide-method":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Navigation method to use when auto sliding (defaults to navigateNext)"},"documentation":"Navigation method to use when auto sliding (defaults to\nnavigateNext)","$id":"quarto-resource-document-reveal-navigation-auto-slide-method"},"quarto-resource-document-reveal-navigation-default-timing":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Expected average seconds per slide (used by pacing timer in speaker view)"},"documentation":"Expected average seconds per slide (used by pacing timer in speaker\nview)","$id":"quarto-resource-document-reveal-navigation-default-timing"},"quarto-resource-document-reveal-navigation-pause":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Flags whether it should be possible to pause the presentation (blackout)\n"},"documentation":"Flags whether it should be possible to pause the presentation\n(blackout)","$id":"quarto-resource-document-reveal-navigation-pause"},"quarto-resource-document-reveal-navigation-help":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Show a help overlay when the `?` key is pressed\n"},"documentation":"Show a help overlay when the ? key is pressed","$id":"quarto-resource-document-reveal-navigation-help"},"quarto-resource-document-reveal-navigation-hash":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Add the current slide to the URL hash"},"documentation":"Add the current slide to the URL hash","$id":"quarto-resource-document-reveal-navigation-hash"},"quarto-resource-document-reveal-navigation-hash-type":{"_internalId":5108,"type":"enum","enum":["number","title"],"description":"be one of: `number`, `title`","completions":["number","title"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"URL hash type (`number` or `title`)"},"documentation":"URL hash type (number or title)","$id":"quarto-resource-document-reveal-navigation-hash-type"},"quarto-resource-document-reveal-navigation-hash-one-based-index":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Use 1 based indexing for hash links to match slide number\n"},"documentation":"Use 1 based indexing for hash links to match slide number","$id":"quarto-resource-document-reveal-navigation-hash-one-based-index"},"quarto-resource-document-reveal-navigation-respond-to-hash-changes":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Monitor the hash and change slides accordingly\n"},"documentation":"Monitor the hash and change slides accordingly","$id":"quarto-resource-document-reveal-navigation-respond-to-hash-changes"},"quarto-resource-document-reveal-navigation-fragment-in-url":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Include the current fragment in the URL"},"documentation":"Include the current fragment in the URL","$id":"quarto-resource-document-reveal-navigation-fragment-in-url"},"quarto-resource-document-reveal-navigation-slide-tone":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Play a subtle sound when changing slides"},"documentation":"Play a subtle sound when changing slides","$id":"quarto-resource-document-reveal-navigation-slide-tone"},"quarto-resource-document-reveal-navigation-jump-to-slide":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Deactivate jump to slide feature."},"documentation":"Deactivate jump to slide feature.","$id":"quarto-resource-document-reveal-navigation-jump-to-slide"},"quarto-resource-document-reveal-print-pdf-max-pages-per-slide":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":{"short":"Slides that are too tall to fit within a single page will expand onto multiple pages","long":"Slides that are too tall to fit within a single page will expand onto multiple pages. You can limit how many pages a slide may expand to using this option.\n"}},"documentation":"Slides that are too tall to fit within a single page will expand onto\nmultiple pages","$id":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide"},"quarto-resource-document-reveal-print-pdf-separate-fragments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Prints each fragment on a separate slide"},"documentation":"Prints each fragment on a separate slide","$id":"quarto-resource-document-reveal-print-pdf-separate-fragments"},"quarto-resource-document-reveal-print-pdf-page-height-offset":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":{"short":"Offset used to reduce the height of content within exported PDF pages.","long":"Offset used to reduce the height of content within exported PDF pages.\nThis exists to account for environment differences based on how you\nprint to PDF. CLI printing options, like phantomjs and wkpdf, can end\non precisely the total height of the document whereas in-browser\nprinting has to end one pixel before.\n"}},"documentation":"Offset used to reduce the height of content within exported PDF\npages.","$id":"quarto-resource-document-reveal-print-pdf-page-height-offset"},"quarto-resource-document-reveal-tools-overview":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable the slide overview mode"},"documentation":"Enable the slide overview mode","$id":"quarto-resource-document-reveal-tools-overview"},"quarto-resource-document-reveal-tools-menu":{"_internalId":5143,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5142,"type":"object","description":"be an object","properties":{"side":{"_internalId":5135,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"Side of the presentation where the menu will be shown (`left` or `right`)"},"documentation":"Side of the presentation where the menu will be shown\n(left or right)"},"width":{"type":"string","description":"be a string","completions":["normal","wide","third","half","full"],"tags":{"description":"Width of the menu"},"documentation":"Width of the menu"},"numbers":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Add slide numbers to menu items"},"documentation":"Add slide numbers to menu items"},"use-text-content-for-missing-titles":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"For slides with no title, attempt to use the start of the text content as the title instead.\n"},"documentation":"For slides with no title, attempt to use the start of the text\ncontent as the title instead."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention side,width,numbers,use-text-content-for-missing-titles","type":"string","pattern":"(?!(^use_text_content_for_missing_titles$|^useTextContentForMissingTitles$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Configuration for revealjs menu."},"documentation":"Configuration for revealjs menu.","$id":"quarto-resource-document-reveal-tools-menu"},"quarto-resource-document-reveal-tools-chalkboard":{"_internalId":5166,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5165,"type":"object","description":"be an object","properties":{"theme":{"_internalId":5152,"type":"enum","enum":["chalkboard","whiteboard"],"description":"be one of: `chalkboard`, `whiteboard`","completions":["chalkboard","whiteboard"],"exhaustiveCompletions":true,"tags":{"description":"Visual theme for drawing surface (`chalkboard` or `whiteboard`)"},"documentation":"Visual theme for drawing surface (chalkboard or\nwhiteboard)"},"boardmarker-width":{"type":"number","description":"be a number","tags":{"description":"The drawing width of the boardmarker. Defaults to 3. Larger values draw thicker lines.\n"},"documentation":"The drawing width of the boardmarker. Defaults to 3. Larger values\ndraw thicker lines."},"chalk-width":{"type":"number","description":"be a number","tags":{"description":"The drawing width of the chalk. Defaults to 7. Larger values draw thicker lines.\n"},"documentation":"The drawing width of the chalk. Defaults to 7. Larger values draw\nthicker lines."},"src":{"type":"string","description":"be a string","tags":{"description":"Optional file name for pre-recorded drawings (download drawings using the `D` key)\n"},"documentation":"Optional file name for pre-recorded drawings (download drawings using\nthe D key)"},"read-only":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Configuration option to prevent changes to existing drawings\n"},"documentation":"Configuration option to prevent changes to existing drawings"},"buttons":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Add chalkboard buttons at the bottom of the slide\n"},"documentation":"Add chalkboard buttons at the bottom of the slide"},"transition":{"type":"number","description":"be a number","tags":{"description":"Gives the duration (in ms) of the transition for a slide change, \nso that the notes canvas is drawn after the transition is completed.\n"},"documentation":"Gives the duration (in ms) of the transition for a slide change, so\nthat the notes canvas is drawn after the transition is completed."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention theme,boardmarker-width,chalk-width,src,read-only,buttons,transition","type":"string","pattern":"(?!(^boardmarker_width$|^boardmarkerWidth$|^chalk_width$|^chalkWidth$|^read_only$|^readOnly$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Configuration for revealjs chalkboard."},"documentation":"Configuration for revealjs chalkboard.","$id":"quarto-resource-document-reveal-tools-chalkboard"},"quarto-resource-document-reveal-tools-multiplex":{"_internalId":5180,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5179,"type":"object","description":"be an object","properties":{"url":{"type":"string","description":"be a string","tags":{"description":"Multiplex token server (defaults to Reveal-hosted server)\n"},"documentation":"Multiplex token server (defaults to Reveal-hosted server)"},"id":{"type":"string","description":"be a string","tags":{"description":"Unique presentation id provided by multiplex token server"},"documentation":"Unique presentation id provided by multiplex token server"},"secret":{"type":"string","description":"be a string","tags":{"description":"Secret provided by multiplex token server"},"documentation":"Secret provided by multiplex token server"}},"patternProperties":{}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Configuration for reveal presentation multiplexing."},"documentation":"Configuration for reveal presentation multiplexing.","$id":"quarto-resource-document-reveal-tools-multiplex"},"quarto-resource-document-reveal-tools-scroll-view":{"_internalId":5206,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5205,"type":"object","description":"be an object","properties":{"activate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Activate scroll view by default for the presentation. Otherwise, it is manually avalaible by adding `?view=scroll` to url."},"documentation":"Activate scroll view by default for the presentation. Otherwise, it\nis manually avalaible by adding ?view=scroll to url."},"progress":{"_internalId":5196,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5195,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'auto'","tags":{"description":"Show the scrollbar while scrolling, hide while idle (default `auto`). Set to 'true' to always show, `false` to always hide."},"documentation":"Show the scrollbar while scrolling, hide while idle (default\nauto). Set to ‘true’ to always show, false to\nalways hide."},"snap":{"_internalId":5199,"type":"enum","enum":["mandatory","proximity",false],"description":"be one of: `mandatory`, `proximity`, `false`","completions":["mandatory","proximity","false"],"exhaustiveCompletions":true,"tags":{"description":"When scrolling, it will automatically snap to the closest slide. Only snap when close to the top of a slide using `proximity`. Disable snapping altogether by setting to `false`.\n"},"documentation":"When scrolling, it will automatically snap to the closest slide. Only\nsnap when close to the top of a slide using proximity.\nDisable snapping altogether by setting to false."},"layout":{"_internalId":5202,"type":"enum","enum":["compact","full"],"description":"be one of: `compact`, `full`","completions":["compact","full"],"exhaustiveCompletions":true,"tags":{"description":"By default each slide will be sized to be as tall as the viewport. If you prefer a more dense layout with multiple slides visible in parallel, set to `compact`.\n"},"documentation":"By default each slide will be sized to be as tall as the viewport. If\nyou prefer a more dense layout with multiple slides visible in parallel,\nset to compact."},"activation-width":{"type":"number","description":"be a number","tags":{"description":"Control scroll view activation width. The scroll view is automatically unable when the viewport reaches mobile widths. Set to `0` to disable automatic scroll view.\n"},"documentation":"Control scroll view activation width. The scroll view is\nautomatically unable when the viewport reaches mobile widths. Set to\n0 to disable automatic scroll view."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention activate,progress,snap,layout,activation-width","type":"string","pattern":"(?!(^activation_width$|^activationWidth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Control the scroll view feature of Revealjs"},"documentation":"Control the scroll view feature of Revealjs","$id":"quarto-resource-document-reveal-tools-scroll-view"},"quarto-resource-document-reveal-transitions-transition":{"_internalId":5209,"type":"enum","enum":["none","fade","slide","convex","concave","zoom"],"description":"be one of: `none`, `fade`, `slide`, `convex`, `concave`, `zoom`","completions":["none","fade","slide","convex","concave","zoom"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Transition style for slides","long":"Transition style for slides backgrounds.\n(`none`, `fade`, `slide`, `convex`, `concave`, or `zoom`)\n"}},"documentation":"Transition style for slides","$id":"quarto-resource-document-reveal-transitions-transition"},"quarto-resource-document-reveal-transitions-transition-speed":{"_internalId":5212,"type":"enum","enum":["default","fast","slow"],"description":"be one of: `default`, `fast`, `slow`","completions":["default","fast","slow"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Slide transition speed (`default`, `fast`, or `slow`)"},"documentation":"Slide transition speed (default, fast, or\nslow)","$id":"quarto-resource-document-reveal-transitions-transition-speed"},"quarto-resource-document-reveal-transitions-background-transition":{"_internalId":5215,"type":"enum","enum":["none","fade","slide","convex","concave","zoom"],"description":"be one of: `none`, `fade`, `slide`, `convex`, `concave`, `zoom`","completions":["none","fade","slide","convex","concave","zoom"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Transition style for full page slide backgrounds","long":"Transition style for full page slide backgrounds.\n(`none`, `fade`, `slide`, `convex`, `concave`, or `zoom`)\n"}},"documentation":"Transition style for full page slide backgrounds","$id":"quarto-resource-document-reveal-transitions-background-transition"},"quarto-resource-document-reveal-transitions-fragments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Turns fragments on and off globally"},"documentation":"Turns fragments on and off globally","$id":"quarto-resource-document-reveal-transitions-fragments"},"quarto-resource-document-reveal-transitions-auto-animate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Globally enable/disable auto-animate (enabled by default)"},"documentation":"Globally enable/disable auto-animate (enabled by default)","$id":"quarto-resource-document-reveal-transitions-auto-animate"},"quarto-resource-document-reveal-transitions-auto-animate-easing":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":{"short":"Default CSS easing function for auto-animation","long":"Default CSS easing function for auto-animation.\nCan be overridden per-slide or per-element via attributes.\n"}},"documentation":"Default CSS easing function for auto-animation","$id":"quarto-resource-document-reveal-transitions-auto-animate-easing"},"quarto-resource-document-reveal-transitions-auto-animate-duration":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":{"short":"Duration (in seconds) of auto-animate transition","long":"Duration (in seconds) of auto-animate transition.\nCan be overridden per-slide or per-element via attributes.\n"}},"documentation":"Duration (in seconds) of auto-animate transition","$id":"quarto-resource-document-reveal-transitions-auto-animate-duration"},"quarto-resource-document-reveal-transitions-auto-animate-unmatched":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Auto-animate unmatched elements.","long":"Auto-animate unmatched elements.\nCan be overridden per-slide or per-element via attributes.\n"}},"documentation":"Auto-animate unmatched elements.","$id":"quarto-resource-document-reveal-transitions-auto-animate-unmatched"},"quarto-resource-document-reveal-transitions-auto-animate-styles":{"_internalId":5231,"type":"array","description":"be an array of values, where each element must be one of: `opacity`, `color`, `background-color`, `padding`, `font-size`, `line-height`, `letter-spacing`, `border-width`, `border-color`, `border-radius`, `outline`, `outline-offset`","items":{"_internalId":5230,"type":"enum","enum":["opacity","color","background-color","padding","font-size","line-height","letter-spacing","border-width","border-color","border-radius","outline","outline-offset"],"description":"be one of: `opacity`, `color`, `background-color`, `padding`, `font-size`, `line-height`, `letter-spacing`, `border-width`, `border-color`, `border-radius`, `outline`, `outline-offset`","completions":["opacity","color","background-color","padding","font-size","line-height","letter-spacing","border-width","border-color","border-radius","outline","outline-offset"],"exhaustiveCompletions":true},"tags":{"formats":["revealjs"],"description":{"short":"CSS properties that can be auto-animated (positional styles like top, left, etc.\nare always animated).\n"}},"documentation":"CSS properties that can be auto-animated (positional styles like top,\nleft, etc. are always animated).","$id":"quarto-resource-document-reveal-transitions-auto-animate-styles"},"quarto-resource-document-slides-incremental":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pptx","beamer","$html-pres"],"description":"Make list items in slide shows display incrementally (one by one). \nThe default is for lists to be displayed all at once.\n"},"documentation":"Make list items in slide shows display incrementally (one by one).\nThe default is for lists to be displayed all at once.","$id":"quarto-resource-document-slides-incremental"},"quarto-resource-document-slides-slide-level":{"type":"number","description":"be a number","tags":{"formats":["pptx","beamer","$html-pres"],"description":{"short":"Specifies that headings with the specified level create slides.\nHeadings above this level in the hierarchy are used to divide \nthe slide show into sections.\n","long":"Specifies that headings with the specified level create slides.\nHeadings above this level in the hierarchy are used to divide \nthe slide show into sections; headings below this level create \nsubheads within a slide. Valid values are 0-6. If a slide level\nof 0 is specified, slides will not be split automatically on \nheadings, and horizontal rules must be used to indicate slide \nboundaries. If a slide level is not specified explicitly, the\nslide level will be set automatically based on the contents of\nthe document\n"}},"documentation":"Specifies that headings with the specified level create slides.\nHeadings above this level in the hierarchy are used to divide the slide\nshow into sections.","$id":"quarto-resource-document-slides-slide-level"},"quarto-resource-document-slides-slide-number":{"_internalId":5243,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5242,"type":"enum","enum":["h.v","h/v","c","c/t"],"description":"be one of: `h.v`, `h/v`, `c`, `c/t`","completions":["h.v","h/v","c","c/t"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `h.v`, `h/v`, `c`, `c/t`","tags":{"formats":["revealjs"],"description":{"short":"Display the page number of the current slide","long":"Display the page number of the current slide\n\n- `true`: Show slide number\n- `false`: Hide slide number\n\nCan optionally be set as a string that specifies the number formatting:\n\n- `h.v`: Horizontal . vertical slide number\n- `h/v`: Horizontal / vertical slide number\n- `c`: Flattened slide number\n- `c/t`: Flattened slide number / total slides (default)\n"}},"documentation":"Display the page number of the current slide","$id":"quarto-resource-document-slides-slide-number"},"quarto-resource-document-slides-show-slide-number":{"_internalId":5246,"type":"enum","enum":["all","print","speaker"],"description":"be one of: `all`, `print`, `speaker`","completions":["all","print","speaker"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Contexts in which the slide number appears (`all`, `print`, or `speaker`)"},"documentation":"Contexts in which the slide number appears (all,\nprint, or speaker)","$id":"quarto-resource-document-slides-show-slide-number"},"quarto-resource-document-slides-title-slide-attributes":{"_internalId":5261,"type":"object","description":"be an object","properties":{"data-background-color":{"type":"string","description":"be a string","tags":{"description":"CSS color for title slide background"},"documentation":"CSS color for title slide background"},"data-background-image":{"type":"string","description":"be a string","tags":{"description":"URL or path to the background image."},"documentation":"URL or path to the background image."},"data-background-size":{"type":"string","description":"be a string","tags":{"description":"CSS background size (defaults to `cover`)"},"documentation":"CSS background size (defaults to cover)"},"data-background-position":{"type":"string","description":"be a string","tags":{"description":"CSS background position (defaults to `center`)"},"documentation":"CSS background position (defaults to center)"},"data-background-repeat":{"type":"string","description":"be a string","tags":{"description":"CSS background repeat (defaults to `no-repeat`)"},"documentation":"CSS background repeat (defaults to no-repeat)"},"data-background-opacity":{"type":"string","description":"be a string","tags":{"description":"Opacity of the background image on a 0-1 scale. \n0 is transparent and 1 is fully opaque.\n"},"documentation":"Opacity of the background image on a 0-1 scale. 0 is transparent and\n1 is fully opaque."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention data-background-color,data-background-image,data-background-size,data-background-position,data-background-repeat,data-background-opacity","type":"string","pattern":"(?!(^data_background_color$|^dataBackgroundColor$|^data_background_image$|^dataBackgroundImage$|^data_background_size$|^dataBackgroundSize$|^data_background_position$|^dataBackgroundPosition$|^data_background_repeat$|^dataBackgroundRepeat$|^data_background_opacity$|^dataBackgroundOpacity$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true,"formats":["revealjs"],"description":{"short":"Additional attributes for the title slide of a reveal.js presentation.","long":"Additional attributes for the title slide of a reveal.js presentation as a map of \nattribute names and values. For example\n\n```yaml\n title-slide-attributes:\n data-background-image: /path/to/title_image.png\n data-background-size: contain \n```\n\n(Note that the data- prefix is required here, as it isn’t added automatically.)\n"}},"documentation":"Additional attributes for the title slide of a reveal.js\npresentation.","$id":"quarto-resource-document-slides-title-slide-attributes"},"quarto-resource-document-slides-title-slide-style":{"_internalId":5264,"type":"enum","enum":["pandoc","default"],"description":"be one of: `pandoc`, `default`","completions":["pandoc","default"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"The title slide style. Use `pandoc` to select the Pandoc default title slide style."},"documentation":"The title slide style. Use pandoc to select the Pandoc\ndefault title slide style.","$id":"quarto-resource-document-slides-title-slide-style"},"quarto-resource-document-slides-center-title-slide":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Vertical centering of title slide"},"documentation":"Vertical centering of title slide","$id":"quarto-resource-document-slides-center-title-slide"},"quarto-resource-document-slides-show-notes":{"_internalId":5274,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5273,"type":"enum","enum":["separate-page"],"description":"be 'separate-page'","completions":["separate-page"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'separate-page'","tags":{"formats":["revealjs"],"description":"Make speaker notes visible to all viewers\n"},"documentation":"Make speaker notes visible to all viewers","$id":"quarto-resource-document-slides-show-notes"},"quarto-resource-document-slides-rtl":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Change the presentation direction to be RTL\n"},"documentation":"Change the presentation direction to be RTL","$id":"quarto-resource-document-slides-rtl"},"quarto-resource-document-tables-df-print":{"_internalId":5279,"type":"enum","enum":["default","kable","tibble","paged"],"description":"be one of: `default`, `kable`, `tibble`, `paged`","completions":["default","kable","tibble","paged"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Method used to print tables in Knitr engine documents (`default`,\n`kable`, `tibble`, or `paged`). Uses `default` if not specified.\n","long":"Method used to print tables in Knitr engine documents:\n\n- `default`: Use the default S3 method for the data frame.\n- `kable`: Markdown table using the `knitr::kable()` function.\n- `tibble`: Plain text table using the `tibble` package.\n- `paged`: HTML table with paging for row and column overflow.\n\nThe default printing method is `kable`.\n"}},"documentation":"Method used to print tables in Knitr engine documents\n(default, kable, tibble, or\npaged). Uses default if not specified.","$id":"quarto-resource-document-tables-df-print"},"quarto-resource-document-text-wrap":{"_internalId":5282,"type":"enum","enum":["auto","none","preserve"],"description":"be one of: `auto`, `none`, `preserve`","completions":["auto","none","preserve"],"exhaustiveCompletions":true,"tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Determine how text is wrapped in the output (`auto`, `none`, or `preserve`).","long":"Determine how text is wrapped in the output (the source code, not the rendered\nversion). \n\n- `auto` (default): Pandoc will attempt to wrap lines to the column width specified by `columns` (default 72). \n- `none`: Pandoc will not wrap lines at all. \n- `preserve`: Pandoc will attempt to preserve the wrapping from the source\n document. Where there are nonsemantic newlines in the source, there will be\n nonsemantic newlines in the output as well.\n"}},"documentation":"Determine how text is wrapped in the output (auto,\nnone, or preserve).","$id":"quarto-resource-document-text-wrap"},"quarto-resource-document-text-columns":{"type":"number","description":"be a number","tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all","typst"],"description":{"short":"For text formats, specify length of lines in characters. For `typst`, number of columns for body text.","long":"Specify length of lines in characters. This affects text wrapping in generated source\ncode (see `wrap`). It also affects calculation of column widths for plain text\ntables. \n\nFor `typst`, number of columns for body text.\n"}},"documentation":"For text formats, specify length of lines in characters. For\ntypst, number of columns for body text.","$id":"quarto-resource-document-text-columns"},"quarto-resource-document-text-tab-stop":{"type":"number","description":"be a number","tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Specify the number of spaces per tab (default is 4).","long":"Specify the number of spaces per tab (default is 4). Note that tabs\nwithin normal textual input are always converted to spaces. Tabs \nwithin code are also converted, however this can be disabled with\n`preserve-tabs: false`.\n"}},"documentation":"Specify the number of spaces per tab (default is 4).","$id":"quarto-resource-document-text-tab-stop"},"quarto-resource-document-text-preserve-tabs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Preserve tabs within code instead of converting them to spaces.\n","long":"Preserve tabs within code instead of converting them to spaces.\n(By default, pandoc converts tabs to spaces before parsing its input.) \nNote that this will only affect tabs in literal code spans and code blocks. \nTabs in regular text are always treated as spaces.\n"}},"documentation":"Preserve tabs within code instead of converting them to spaces.","$id":"quarto-resource-document-text-preserve-tabs"},"quarto-resource-document-text-eol":{"_internalId":5291,"type":"enum","enum":["lf","crlf","native"],"description":"be one of: `lf`, `crlf`, `native`","completions":["lf","crlf","native"],"exhaustiveCompletions":true,"tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Manually specify line endings (`lf`, `crlf`, or `native`).","long":"Manually specify line endings: \n\n- `crlf`: Use Windows line endings\n- `lf`: Use macOS/Linux/UNIX line endings\n- `native` (default): Use line endings appropriate to the OS on which pandoc is being run).\n"}},"documentation":"Manually specify line endings (lf, crlf, or\nnative).","$id":"quarto-resource-document-text-eol"},"quarto-resource-document-text-strip-comments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all","textile","$html-files"],"description":{"short":"Strip out HTML comments in source, rather than passing them on to output.","long":"Strip out HTML comments in the Markdown source,\nrather than passing them on to Markdown, Textile or HTML\noutput as raw HTML. This does not apply to HTML comments\ninside raw HTML blocks when the `markdown_in_html_blocks`\nextension is not set.\n"}},"documentation":"Strip out HTML comments in source, rather than passing them on to\noutput.","$id":"quarto-resource-document-text-strip-comments"},"quarto-resource-document-text-ascii":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-all","$pdf-all","$markdown-all","ms"],"description":{"short":"Use only ASCII characters in output.","long":"Use only ASCII characters in output. Currently supported for XML\nand HTML formats (which use entities instead of UTF-8 when this\noption is selected), CommonMark, gfm, and Markdown (which use\nentities), roff ms (which use hexadecimal escapes), and to a\nlimited degree LaTeX (which uses standard commands for accented\ncharacters when possible). roff man output uses ASCII by default.\n"}},"documentation":"Use only ASCII characters in output.","$id":"quarto-resource-document-text-ascii"},"quarto-resource-document-toc-toc":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["!man","!$docbook-all","!$jats-all"],"description":{"short":"Include an automatically generated table of contents","long":"Include an automatically generated table of contents (or, in\nthe case of `latex`, `context`, `docx`, `odt`,\n`opendocument`, `rst`, or `ms`, an instruction to create\none) in the output document.\n\nNote that if you are producing a PDF via `ms`, the table\nof contents will appear at the beginning of the\ndocument, before the title. If you would prefer it to\nbe at the end of the document, use the option\n`pdf-engine-opt: --no-toc-relocation`.\n"}},"documentation":"Include an automatically generated table of contents","$id":"quarto-resource-document-toc-toc"},"quarto-resource-document-toc-table-of-contents":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["!man","!$docbook-all","!$jats-all"],"description":{"short":"Include an automatically generated table of contents","long":"Include an automatically generated table of contents (or, in\nthe case of `latex`, `context`, `docx`, `odt`,\n`opendocument`, `rst`, or `ms`, an instruction to create\none) in the output document.\n\nNote that if you are producing a PDF via `ms`, the table\nof contents will appear at the beginning of the\ndocument, before the title. If you would prefer it to\nbe at the end of the document, use the option\n`pdf-engine-opt: --no-toc-relocation`.\n"}},"documentation":"Include an automatically generated table of contents","$id":"quarto-resource-document-toc-table-of-contents"},"quarto-resource-document-toc-toc-indent":{"type":"string","description":"be a string","tags":{"formats":["typst"],"description":"The amount of indentation to use for each level of the table of contents.\nThe default is \"1.5em\".\n"},"documentation":"The amount of indentation to use for each level of the table of\ncontents. The default is “1.5em”.","$id":"quarto-resource-document-toc-toc-indent"},"quarto-resource-document-toc-toc-depth":{"type":"number","description":"be a number","tags":{"formats":["!man","!$docbook-all","!$jats-all","!beamer"],"description":"Specify the number of section levels to include in the table of contents.\nThe default is 3\n"},"documentation":"Specify the number of section levels to include in the table of\ncontents. The default is 3","$id":"quarto-resource-document-toc-toc-depth"},"quarto-resource-document-toc-toc-location":{"_internalId":5304,"type":"enum","enum":["body","left","right","left-body","right-body"],"description":"be one of: `body`, `left`, `right`, `left-body`, `right-body`","completions":["body","left","right","left-body","right-body"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Location for table of contents (`body`, `left`, `right` (default), `left-body`, `right-body`).\n","long":"Location for table of contents:\n\n- `body`: Show the Table of Contents in the center body of the document. \n- `left`: Show the Table of Contents in left margin of the document.\n- `right`(default): Show the Table of Contents in right margin of the document.\n- `left-body`: Show two Tables of Contents in both the center body and the left margin of the document.\n- `right-body`: Show two Tables of Contents in both the center body and the right margin of the document.\n"}},"documentation":"Location for table of contents (body, left,\nright (default), left-body,\nright-body).","$id":"quarto-resource-document-toc-toc-location"},"quarto-resource-document-toc-toc-title":{"type":"string","description":"be a string","tags":{"formats":["$epub-all","$odt-all","$office-all","$pdf-all","$html-doc","revealjs"],"description":"The title used for the table of contents."},"documentation":"The title used for the table of contents.","$id":"quarto-resource-document-toc-toc-title"},"quarto-resource-document-toc-toc-expand":{"_internalId":5313,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a number, `true` or `false`","tags":{"formats":["$html-doc"],"description":"Specifies the depth of items in the table of contents that should be displayed as expanded in HTML output. Use `true` to expand all or `false` to collapse all.\n"},"documentation":"Specifies the depth of items in the table of contents that should be\ndisplayed as expanded in HTML output. Use true to expand\nall or false to collapse all.","$id":"quarto-resource-document-toc-toc-expand"},"quarto-resource-document-toc-lof":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Print a list of figures in the document."},"documentation":"Print a list of figures in the document.","$id":"quarto-resource-document-toc-lof"},"quarto-resource-document-toc-lot":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Print a list of tables in the document."},"documentation":"Print a list of tables in the document.","$id":"quarto-resource-document-toc-lot"},"quarto-resource-document-website-search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Setting this to false prevents this document from being included in searches."},"documentation":"Setting this to false prevents this document from being included in\nsearches.","$id":"quarto-resource-document-website-search"},"quarto-resource-document-website-repo-actions":{"_internalId":5331,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5330,"type":"anyOf","anyOf":[{"_internalId":5328,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"},{"_internalId":5329,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":5328,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"formats":["$html-doc"],"description":"Setting this to false prevents the `repo-actions` from appearing on this page.\nOther possible values are `none` or one or more of `edit`, `source`, and `issue`, *e.g.* `[edit, source, issue]`.\n"},"documentation":"Setting this to false prevents the repo-actions from\nappearing on this page. Other possible values are none or\none or more of edit, source, and\nissue, e.g.\n[edit, source, issue].","$id":"quarto-resource-document-website-repo-actions"},"quarto-resource-document-website-aliases":{"_internalId":5336,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$html-doc"],"description":"URLs that alias this document, when included in a website."},"documentation":"URLs that alias this document, when included in a website.","$id":"quarto-resource-document-website-aliases"},"quarto-resource-document-website-image":{"_internalId":5343,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc"],"description":{"short":"The path to a preview image for this document.","long":"The path to a preview image for this content. By default, \nQuarto will use the image value from the site: metadata. \nIf you provide an image, you may also optionally provide \nan image-width and image-height to improve \nthe appearance of your Twitter Card.\n\nIf image is not provided, Quarto will automatically attempt \nto locate a preview image.\n"}},"documentation":"The path to a preview image for this document.","$id":"quarto-resource-document-website-image"},"quarto-resource-document-website-image-height":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The height of the preview image for this document."},"documentation":"The height of the preview image for this document.","$id":"quarto-resource-document-website-image-height"},"quarto-resource-document-website-image-width":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The width of the preview image for this document."},"documentation":"The width of the preview image for this document.","$id":"quarto-resource-document-website-image-width"},"quarto-resource-document-website-image-alt":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The alt text for preview image on this page."},"documentation":"The alt text for preview image on this page.","$id":"quarto-resource-document-website-image-alt"},"quarto-resource-document-website-image-lazy-loading":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"If true, the preview image will only load when it comes into view.","long":"Enables lazy loading for the preview image. If true, the preview image element \nwill have `loading=\"lazy\"`, and will only load when it comes into view.\n\nIf false, the preview image will load immediately.\n"}},"documentation":"If true, the preview image will only load when it comes into\nview.","$id":"quarto-resource-document-website-image-lazy-loading"},"quarto-resource-project-project":{"_internalId":5416,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string"},"type":{"type":"string","description":"be a string","completions":["default","website","book","manuscript"],"tags":{"description":"Project type (`default`, `website`, `book`, or `manuscript`)"},"documentation":"Project type (default, website,\nbook, or manuscript)"},"render":{"_internalId":5364,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Files to render (defaults to all files)"},"documentation":"Files to render (defaults to all files)"},"execute-dir":{"_internalId":5367,"type":"enum","enum":["file","project"],"description":"be one of: `file`, `project`","completions":["file","project"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Working directory for computations","long":"Control the working directory for computations. \n\n- `file`: Use the directory of the file that is currently executing.\n- `project`: Use the root directory of the project.\n"}},"documentation":"Working directory for computations"},"output-dir":{"type":"string","description":"be a string","tags":{"description":"Output directory"},"documentation":"Output directory"},"lib-dir":{"type":"string","description":"be a string","tags":{"description":"HTML library (JS/CSS/etc.) directory"},"documentation":"HTML library (JS/CSS/etc.) directory"},"resources":{"_internalId":5379,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Additional file resources to be copied to output directory"},{"_internalId":5378,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Additional file resources to be copied to output directory"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"brand":{"_internalId":5384,"type":"ref","$ref":"brand-path-only-light-dark","description":"be brand-path-only-light-dark","tags":{"description":"Path to brand.yml or object with light and dark paths to brand.yml\n"},"documentation":"Path to brand.yml or object with light and dark paths to\nbrand.yml"},"preview":{"_internalId":5389,"type":"ref","$ref":"project-preview","description":"be project-preview","tags":{"description":"Options for `quarto preview`"},"documentation":"Options for quarto preview"},"pre-render":{"_internalId":5397,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":5396,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a pre-render step"},"documentation":"Scripts to run as a pre-render step"},"post-render":{"_internalId":5405,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":5404,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a post-render step"},"documentation":"Scripts to run as a post-render step"},"detect":{"_internalId":5415,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":5414,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},"completions":[],"tags":{"hidden":true,"description":"Array of paths used to detect the project type within a directory"},"documentation":"Array of paths used to detect the project type within a directory"}},"patternProperties":{},"closed":true,"documentation":"Project configuration.","tags":{"description":"Project configuration."},"$id":"quarto-resource-project-project"},"quarto-resource-project-website":{"_internalId":5419,"type":"ref","$ref":"base-website","description":"be base-website","documentation":"Website configuration.","tags":{"description":"Website configuration."},"$id":"quarto-resource-project-website"},"quarto-resource-project-book":{"_internalId":1694,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Book title"},"documentation":"Book title"},"description":{"type":"string","description":"be a string","tags":{"description":"Description metadata for HTML version of book"},"documentation":"Description metadata for HTML version of book"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The path to the favicon for this website"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"Base URL for published website"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Base URL for website source code repository"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"The value of the target attribute for repo links"},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"The value of the rel attribute for repo links"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Subdirectory of repository containing website"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Branch of website source code (defaults to main)"},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"The Google tracking Id or measurement Id of this website."},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Storage options for Google Analytics data"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Anonymize the user ip address."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The version number of Google Analytics to use."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"Enable Google Analytics for this website"},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"Path to a file containing the Plausible Analytics script snippet"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The content of the announcement"},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Whether this announcement may be dismissed by the user."},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The icon to display in the announcement"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The position of the announcement."},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"Provides an announcement displayed at the top of the page."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The type of consent that should be requested"},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The style of the consent banner that is displayed"},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"The url to the website’s cookie or privacy policy."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"Request cookie consent before enabling scripts that set cookies"},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Location for search widget (navbar or\nsidebar)"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"Type of search UI (overlay or textbox)"},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"Number of matches to display (defaults to 20)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"Matches after which to collapse additional results"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Provide button for copying search link"},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"The name of the index to use when performing a search"},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"The unique ID used by Algolia to identify your application"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"The Search-Only API key to use to connect to Algolia"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Enable tracking of Algolia analytics events"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Field that contains the URL of index entries"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Field that contains the title of index entries"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"Field that contains the text of index entries"},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Field that contains the section of index entries"}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Additional parameters to pass when executing a search"}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Use external Algolia search index"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Provide full text search for website"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar title. Uses the project title if none is specified."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"Specification of image that will be displayed to the left of the\ntitle."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"The navbar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The navbar’s foreground color (named or hex color)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"Include a search box in the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"Always show the navbar (keeping it pinned)."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"List of items for the left side of the navbar."},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"List of items for the right side of the navbar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Top navigation options"},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Side navigation options"},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Markdown to insert below each page’s body."},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Provide next and previous article links in footer"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Provide a ‘back to top’ navigation button"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Shared page footer"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"Publish open graph metadata"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"Publish twitter card metadata"},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"A list of other links to appear below the TOC."},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"A list of code links to appear with this document."},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"A list of input documents that should be treated as drafts"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"How to handle drafts that are encountered."},"subtitle":{"type":"string","description":"be a string","tags":{"description":"Book subtitle"},"documentation":"Book subtitle"},"author":{"_internalId":912,"type":"anyOf","anyOf":[{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Author or authors of the book"},{"_internalId":911,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Author or authors of the book"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string","tags":{"description":"Book publication date"},"documentation":"Book publication date"},"date-format":{"type":"string","description":"be a string","tags":{"description":"Format string for dates in the book"},"documentation":"Format string for dates in the book"},"abstract":{"type":"string","description":"be a string","tags":{"description":"Book abstract"},"documentation":"Book abstract"},"chapters":{"_internalId":925,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book part and chapter files"},"documentation":"Book part and chapter files"},"appendices":{"_internalId":930,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book appendix files"},"documentation":"Book appendix files"},"references":{"type":"string","description":"be a string","tags":{"description":"Book references file"},"documentation":"Book references file"},"output-file":{"type":"string","description":"be a string","tags":{"description":"Base name for single-file output (e.g. PDF, ePub, docx)"},"documentation":"Base name for single-file output (e.g. PDF, ePub, docx)"},"cover-image":{"type":"string","description":"be a string","tags":{"description":"Cover image (used in HTML and ePub formats)"},"documentation":"Cover image (used in HTML and ePub formats)"},"cover-image-alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for cover image (used in HTML format)"},"documentation":"Alternative text for cover image (used in HTML format)"},"sharing":{"_internalId":945,"type":"anyOf","anyOf":[{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},{"_internalId":944,"type":"array","description":"be an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","items":{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"}}],"description":"be at least one of: one of: `twitter`, `facebook`, `linkedin`, an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","tags":{"complete-from":["anyOf",0]}},"downloads":{"_internalId":952,"type":"anyOf","anyOf":[{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},{"_internalId":951,"type":"array","description":"be an array of values, where each element must be one of: `pdf`, `epub`, `docx`","items":{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"}}],"description":"be at least one of: one of: `pdf`, `epub`, `docx`, an array of values, where each element must be one of: `pdf`, `epub`, `docx`","tags":{"complete-from":["anyOf",0]}},"tools":{"_internalId":958,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":957,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Custom tools for navbar or sidebar"},"documentation":"Custom tools for navbar or sidebar"},"doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The Digital Object Identifier for this book."},"documentation":"The Digital Object Identifier for this book."},"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"A url to the abstract for this item."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Date the item has been accessed."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Archive storing the item"},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Collection the item is part of within an archive."},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"Geographic location of the archive."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Date the item was initially available"},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Call number (to locate the item in a library)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology)."},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"Composer (e.g. of a musical score)."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Title of the container holding the item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Short/abbreviated form of container-title;","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Director (e.g. of a film)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"The editor of the item."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Combined editor and translator of a work."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Date the event related to an item took place."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Executive producer of the item (e.g. of a television series)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A url to the full text for this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Type, class, or subtype of the item"},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"id":{"_internalId":1529,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"A value which uniquely identifies this item."},"documentation":"A value which uniquely identifies this item."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Interviewer (e.g. of an interview)."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"International Standard Serial Number."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"Issue number of the item or container holding the item"},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"Date the item was issued/published."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Keyword(s) or tag(s) attached to the item."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"The language of the item (used only for citation of the item)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"The license information applicable to an item."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"A cite-specific pinpointer within the item."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Narrator (e.g. of an audio book)."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"Number identifying the item (e.g. a report number)."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Total number of pages of the cited item."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"The original creator of a work."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Issue date of the original version."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"Title of the specific part of an item being cited."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"A url to the pdf for this item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"PubMed Central reference number."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"PubMed reference number."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"Printing number of the item or container holding the item."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"A public url for this item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"The publisher of the item."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"The geographic location of the publisher."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Recipient (e.g. of a letter)."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Author of the item reviewed by the current item."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Title of the item reviewed by the current item."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Scale of e.g. a map or model."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Creator of a series (e.g. of a television series)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Short/abbreviated form oftitle.","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Translator"},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"The type\nof the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Version of the item (e.g. “2.0.9” for a software program)."},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"Title of the volume of the item or container holding the item."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Book configuration."},"documentation":"Book configuration.","$id":"quarto-resource-project-book"},"quarto-resource-project-manuscript":{"_internalId":5429,"type":"ref","$ref":"manuscript-schema","description":"be manuscript-schema","documentation":"Manuscript configuration","tags":{"description":"Manuscript configuration"},"$id":"quarto-resource-project-manuscript"},"quarto-resource-project-type":{"_internalId":5432,"type":"enum","enum":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"description":"be 'cd93424f-d5ba-4e95-91c6-1890eab59fc7'","completions":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"exhaustiveCompletions":true,"documentation":"internal-schema-hack","tags":{"description":"internal-schema-hack","hidden":true},"$id":"quarto-resource-project-type"},"quarto-resource-project-engines":{"_internalId":5437,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’.","tags":{"description":"List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'."},"$id":"quarto-resource-project-engines"},"quarto-resource-document-a11y-axe":{"_internalId":5448,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5447,"type":"object","description":"be an object","properties":{"output":{"_internalId":5446,"type":"enum","enum":["json","console","document"],"description":"be one of: `json`, `console`, `document`","completions":["json","console","document"],"exhaustiveCompletions":true,"tags":{"description":"If set, output axe-core results on console. `json`: produce structured output; `console`: print output to javascript console; `document`: produce a visual report of violations in the document itself."},"documentation":"If set, output axe-core results on console. json:\nproduce structured output; console: print output to\njavascript console; document: produce a visual report of\nviolations in the document itself."}},"patternProperties":{}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["$html-files"],"description":"When defined, run axe-core accessibility tests on the document."},"documentation":"When defined, run axe-core accessibility tests on the document.","$id":"quarto-resource-document-a11y-axe"},"quarto-resource-document-typst-logo":{"_internalId":5451,"type":"ref","$ref":"logo-light-dark-specifier-path-optional","description":"be logo-light-dark-specifier-path-optional","tags":{"formats":["typst"],"description":"The logo image."},"documentation":"The logo image.","$id":"quarto-resource-document-typst-logo"},"front-matter-execute":{"_internalId":5475,"type":"object","description":"be an object","properties":{"eval":{"_internalId":5452,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":5453,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":5454,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":5455,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":5456,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":5457,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"engine":{"_internalId":5458,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":5459,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":5460,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":5461,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":5462,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":5463,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":5464,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":5465,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":5466,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":5467,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":5468,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":5469,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"keep-md":{"_internalId":5470,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":5471,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":5472,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":5473,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":5474,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected","type":"string","pattern":"(?!(^daemon_restart$|^daemonRestart$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"front-matter-execute"},"front-matter-format":{"_internalId":191224,"type":"anyOf","anyOf":[{"_internalId":191220,"type":"anyOf","anyOf":[{"_internalId":191148,"type":"string","pattern":"^(.+-)?ansi([-+].+)?$","description":"be 'ansi'","completions":["ansi"]},{"_internalId":191149,"type":"string","pattern":"^(.+-)?asciidoc([-+].+)?$","description":"be 'asciidoc'","completions":["asciidoc"]},{"_internalId":191150,"type":"string","pattern":"^(.+-)?asciidoc_legacy([-+].+)?$","description":"be 'asciidoc_legacy'","completions":["asciidoc_legacy"]},{"_internalId":191151,"type":"string","pattern":"^(.+-)?asciidoctor([-+].+)?$","description":"be 'asciidoctor'","completions":["asciidoctor"]},{"_internalId":191152,"type":"string","pattern":"^(.+-)?beamer([-+].+)?$","description":"be 'beamer'","completions":["beamer"]},{"_internalId":191153,"type":"string","pattern":"^(.+-)?biblatex([-+].+)?$","description":"be 'biblatex'","completions":["biblatex"]},{"_internalId":191154,"type":"string","pattern":"^(.+-)?bibtex([-+].+)?$","description":"be 'bibtex'","completions":["bibtex"]},{"_internalId":191155,"type":"string","pattern":"^(.+-)?chunkedhtml([-+].+)?$","description":"be 'chunkedhtml'","completions":["chunkedhtml"]},{"_internalId":191156,"type":"string","pattern":"^(.+-)?commonmark([-+].+)?$","description":"be 'commonmark'","completions":["commonmark"]},{"_internalId":191157,"type":"string","pattern":"^(.+-)?commonmark_x([-+].+)?$","description":"be 'commonmark_x'","completions":["commonmark_x"]},{"_internalId":191158,"type":"string","pattern":"^(.+-)?context([-+].+)?$","description":"be 'context'","completions":["context"]},{"_internalId":191159,"type":"string","pattern":"^(.+-)?csljson([-+].+)?$","description":"be 'csljson'","completions":["csljson"]},{"_internalId":191160,"type":"string","pattern":"^(.+-)?djot([-+].+)?$","description":"be 'djot'","completions":["djot"]},{"_internalId":191161,"type":"string","pattern":"^(.+-)?docbook([-+].+)?$","description":"be 'docbook'","completions":["docbook"]},{"_internalId":191162,"type":"string","pattern":"^(.+-)?docbook4([-+].+)?$","description":"be 'docbook4'"},{"_internalId":191163,"type":"string","pattern":"^(.+-)?docbook5([-+].+)?$","description":"be 'docbook5'"},{"_internalId":191164,"type":"string","pattern":"^(.+-)?docx([-+].+)?$","description":"be 'docx'","completions":["docx"]},{"_internalId":191165,"type":"string","pattern":"^(.+-)?dokuwiki([-+].+)?$","description":"be 'dokuwiki'","completions":["dokuwiki"]},{"_internalId":191166,"type":"string","pattern":"^(.+-)?dzslides([-+].+)?$","description":"be 'dzslides'","completions":["dzslides"]},{"_internalId":191167,"type":"string","pattern":"^(.+-)?epub([-+].+)?$","description":"be 'epub'","completions":["epub"]},{"_internalId":191168,"type":"string","pattern":"^(.+-)?epub2([-+].+)?$","description":"be 'epub2'"},{"_internalId":191169,"type":"string","pattern":"^(.+-)?epub3([-+].+)?$","description":"be 'epub3'"},{"_internalId":191170,"type":"string","pattern":"^(.+-)?fb2([-+].+)?$","description":"be 'fb2'","completions":["fb2"]},{"_internalId":191171,"type":"string","pattern":"^(.+-)?gfm([-+].+)?$","description":"be 'gfm'","completions":["gfm"]},{"_internalId":191172,"type":"string","pattern":"^(.+-)?haddock([-+].+)?$","description":"be 'haddock'","completions":["haddock"]},{"_internalId":191173,"type":"string","pattern":"^(.+-)?html([-+].+)?$","description":"be 'html'","completions":["html"]},{"_internalId":191174,"type":"string","pattern":"^(.+-)?html4([-+].+)?$","description":"be 'html4'"},{"_internalId":191175,"type":"string","pattern":"^(.+-)?html5([-+].+)?$","description":"be 'html5'"},{"_internalId":191176,"type":"string","pattern":"^(.+-)?icml([-+].+)?$","description":"be 'icml'","completions":["icml"]},{"_internalId":191177,"type":"string","pattern":"^(.+-)?ipynb([-+].+)?$","description":"be 'ipynb'","completions":["ipynb"]},{"_internalId":191178,"type":"string","pattern":"^(.+-)?jats([-+].+)?$","description":"be 'jats'","completions":["jats"]},{"_internalId":191179,"type":"string","pattern":"^(.+-)?jats_archiving([-+].+)?$","description":"be 'jats_archiving'","completions":["jats_archiving"]},{"_internalId":191180,"type":"string","pattern":"^(.+-)?jats_articleauthoring([-+].+)?$","description":"be 'jats_articleauthoring'","completions":["jats_articleauthoring"]},{"_internalId":191181,"type":"string","pattern":"^(.+-)?jats_publishing([-+].+)?$","description":"be 'jats_publishing'","completions":["jats_publishing"]},{"_internalId":191182,"type":"string","pattern":"^(.+-)?jira([-+].+)?$","description":"be 'jira'","completions":["jira"]},{"_internalId":191183,"type":"string","pattern":"^(.+-)?json([-+].+)?$","description":"be 'json'","completions":["json"]},{"_internalId":191184,"type":"string","pattern":"^(.+-)?latex([-+].+)?$","description":"be 'latex'","completions":["latex"]},{"_internalId":191185,"type":"string","pattern":"^(.+-)?man([-+].+)?$","description":"be 'man'","completions":["man"]},{"_internalId":191186,"type":"string","pattern":"^(.+-)?markdown([-+].+)?$","description":"be 'markdown'","completions":["markdown"]},{"_internalId":191187,"type":"string","pattern":"^(.+-)?markdown_github([-+].+)?$","description":"be 'markdown_github'","completions":["markdown_github"]},{"_internalId":191188,"type":"string","pattern":"^(.+-)?markdown_mmd([-+].+)?$","description":"be 'markdown_mmd'","completions":["markdown_mmd"]},{"_internalId":191189,"type":"string","pattern":"^(.+-)?markdown_phpextra([-+].+)?$","description":"be 'markdown_phpextra'","completions":["markdown_phpextra"]},{"_internalId":191190,"type":"string","pattern":"^(.+-)?markdown_strict([-+].+)?$","description":"be 'markdown_strict'","completions":["markdown_strict"]},{"_internalId":191191,"type":"string","pattern":"^(.+-)?markua([-+].+)?$","description":"be 'markua'","completions":["markua"]},{"_internalId":191192,"type":"string","pattern":"^(.+-)?mediawiki([-+].+)?$","description":"be 'mediawiki'","completions":["mediawiki"]},{"_internalId":191193,"type":"string","pattern":"^(.+-)?ms([-+].+)?$","description":"be 'ms'","completions":["ms"]},{"_internalId":191194,"type":"string","pattern":"^(.+-)?muse([-+].+)?$","description":"be 'muse'","completions":["muse"]},{"_internalId":191195,"type":"string","pattern":"^(.+-)?native([-+].+)?$","description":"be 'native'","completions":["native"]},{"_internalId":191196,"type":"string","pattern":"^(.+-)?odt([-+].+)?$","description":"be 'odt'","completions":["odt"]},{"_internalId":191197,"type":"string","pattern":"^(.+-)?opendocument([-+].+)?$","description":"be 'opendocument'","completions":["opendocument"]},{"_internalId":191198,"type":"string","pattern":"^(.+-)?opml([-+].+)?$","description":"be 'opml'","completions":["opml"]},{"_internalId":191199,"type":"string","pattern":"^(.+-)?org([-+].+)?$","description":"be 'org'","completions":["org"]},{"_internalId":191200,"type":"string","pattern":"^(.+-)?pdf([-+].+)?$","description":"be 'pdf'","completions":["pdf"]},{"_internalId":191201,"type":"string","pattern":"^(.+-)?plain([-+].+)?$","description":"be 'plain'","completions":["plain"]},{"_internalId":191202,"type":"string","pattern":"^(.+-)?pptx([-+].+)?$","description":"be 'pptx'","completions":["pptx"]},{"_internalId":191203,"type":"string","pattern":"^(.+-)?revealjs([-+].+)?$","description":"be 'revealjs'","completions":["revealjs"]},{"_internalId":191204,"type":"string","pattern":"^(.+-)?rst([-+].+)?$","description":"be 'rst'","completions":["rst"]},{"_internalId":191205,"type":"string","pattern":"^(.+-)?rtf([-+].+)?$","description":"be 'rtf'","completions":["rtf"]},{"_internalId":191206,"type":"string","pattern":"^(.+-)?s5([-+].+)?$","description":"be 's5'","completions":["s5"]},{"_internalId":191207,"type":"string","pattern":"^(.+-)?slideous([-+].+)?$","description":"be 'slideous'","completions":["slideous"]},{"_internalId":191208,"type":"string","pattern":"^(.+-)?slidy([-+].+)?$","description":"be 'slidy'","completions":["slidy"]},{"_internalId":191209,"type":"string","pattern":"^(.+-)?tei([-+].+)?$","description":"be 'tei'","completions":["tei"]},{"_internalId":191210,"type":"string","pattern":"^(.+-)?texinfo([-+].+)?$","description":"be 'texinfo'","completions":["texinfo"]},{"_internalId":191211,"type":"string","pattern":"^(.+-)?textile([-+].+)?$","description":"be 'textile'","completions":["textile"]},{"_internalId":191212,"type":"string","pattern":"^(.+-)?typst([-+].+)?$","description":"be 'typst'","completions":["typst"]},{"_internalId":191213,"type":"string","pattern":"^(.+-)?xwiki([-+].+)?$","description":"be 'xwiki'","completions":["xwiki"]},{"_internalId":191214,"type":"string","pattern":"^(.+-)?zimwiki([-+].+)?$","description":"be 'zimwiki'","completions":["zimwiki"]},{"_internalId":191215,"type":"string","pattern":"^(.+-)?md([-+].+)?$","description":"be 'md'","completions":["md"]},{"_internalId":191216,"type":"string","pattern":"^(.+-)?hugo([-+].+)?$","description":"be 'hugo'","completions":["hugo"]},{"_internalId":191217,"type":"string","pattern":"^(.+-)?dashboard([-+].+)?$","description":"be 'dashboard'","completions":["dashboard"]},{"_internalId":191218,"type":"string","pattern":"^(.+-)?email([-+].+)?$","description":"be 'email'","completions":["email"]},{"_internalId":191219,"type":"string","pattern":"^.+.lua$","description":"be a string that satisfies regex \"^.+.lua$\""}],"description":"be the name of a pandoc-supported output format"},{"_internalId":191221,"type":"object","description":"be an object","properties":{},"patternProperties":{},"propertyNames":{"_internalId":191219,"type":"string","pattern":"^.+.lua$","description":"be a string that satisfies regex \"^.+.lua$\""}},{"_internalId":191223,"type":"allOf","allOf":[{"_internalId":191222,"type":"object","description":"be an object","properties":{},"patternProperties":{"^(.+-)?ansi([-+].+)?$":{"_internalId":8074,"type":"anyOf","anyOf":[{"_internalId":8072,"type":"object","description":"be an object","properties":{"eval":{"_internalId":7976,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":7977,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":7978,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":7979,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":7980,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":7981,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":7982,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":7983,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":7984,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":7985,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":7986,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":7987,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":7988,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":7989,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":7990,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":7991,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":7992,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":7993,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":7994,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":7995,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":7996,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":7997,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":7998,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":7999,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":8000,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":8001,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":8002,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":8003,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":8004,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":8005,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":8006,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":8007,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":8008,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":8009,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":8010,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":8010,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":8011,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":8012,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":8013,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":8014,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":8015,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":8016,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":8017,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":8018,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":8019,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":8020,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":8021,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":8022,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":8023,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":8024,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":8025,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":8026,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":8027,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":8028,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":8029,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":8030,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":8031,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":8032,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":8033,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":8034,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":8035,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":8036,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":8037,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":8038,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":8039,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":8040,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":8041,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":8042,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":8043,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":8044,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":8045,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":8046,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":8047,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":8047,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":8048,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":8049,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":8050,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":8051,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":8052,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":8053,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":8054,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":8055,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":8056,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":8057,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":8058,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":8059,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":8060,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":8061,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":8062,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":8063,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":8064,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":8065,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":8066,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":8067,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":8068,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":8069,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":8070,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":8070,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":8071,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":8073,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?asciidoc([-+].+)?$":{"_internalId":10674,"type":"anyOf","anyOf":[{"_internalId":10672,"type":"object","description":"be an object","properties":{"eval":{"_internalId":10574,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":10575,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":10576,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":10577,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":10578,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":10579,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":10580,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":10581,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":10582,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":10583,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":10584,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":10585,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":10586,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":10587,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":10588,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":10589,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":10590,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":10591,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":10592,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":10593,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":10594,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":10595,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":10596,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":10597,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":10598,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":10599,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":10600,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":10601,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":10602,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":10603,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":10604,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":10605,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":10606,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":10607,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":10608,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":10609,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":10609,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":10610,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":10611,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":10612,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":10613,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":10614,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":10615,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":10616,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":10617,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":10618,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":10619,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":10620,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":10621,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":10622,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":10623,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":10624,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":10625,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":10626,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":10627,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":10628,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":10629,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":10630,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":10631,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":10632,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":10633,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":10634,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":10635,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":10636,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":10637,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":10638,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"number-sections":{"_internalId":10639,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":10640,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":10641,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":10642,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":10643,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":10644,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":10645,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":10646,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":10647,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":10647,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":10648,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":10649,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":10650,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":10651,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":10652,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":10653,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":10654,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":10655,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":10656,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":10657,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":10658,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":10659,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":10660,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":10661,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":10662,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":10663,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":10664,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":10665,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":10666,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":10667,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":10668,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":10669,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":10670,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":10670,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":10671,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,abstract,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,keywords,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":10673,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?asciidoc_legacy([-+].+)?$":{"_internalId":13272,"type":"anyOf","anyOf":[{"_internalId":13270,"type":"object","description":"be an object","properties":{"eval":{"_internalId":13174,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":13175,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":13176,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":13177,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":13178,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":13179,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":13180,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":13181,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":13182,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":13183,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":13184,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":13185,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":13186,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":13187,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":13188,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":13189,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":13190,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":13191,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":13192,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":13193,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":13194,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":13195,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":13196,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":13197,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":13198,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":13199,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":13200,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":13201,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":13202,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":13203,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":13204,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":13205,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":13206,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":13207,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":13208,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":13208,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":13209,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":13210,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":13211,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":13212,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":13213,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":13214,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":13215,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":13216,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":13217,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":13218,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":13219,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":13220,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":13221,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":13222,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":13223,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":13224,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":13225,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":13226,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":13227,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":13228,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":13229,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":13230,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":13231,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":13232,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":13233,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":13234,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":13235,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":13236,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":13237,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":13238,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":13239,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":13240,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":13241,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":13242,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":13243,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":13244,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":13245,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":13245,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":13246,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":13247,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":13248,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":13249,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":13250,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":13251,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":13252,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":13253,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":13254,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":13255,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":13256,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":13257,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":13258,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":13259,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":13260,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":13261,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":13262,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":13263,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":13264,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":13265,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":13266,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":13267,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":13268,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":13268,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":13269,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":13271,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?asciidoctor([-+].+)?$":{"_internalId":15872,"type":"anyOf","anyOf":[{"_internalId":15870,"type":"object","description":"be an object","properties":{"eval":{"_internalId":15772,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":15773,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":15774,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":15775,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":15776,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":15777,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":15778,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":15779,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":15780,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":15781,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":15782,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":15783,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":15784,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":15785,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":15786,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":15787,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":15788,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":15789,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":15790,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":15791,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":15792,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":15793,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":15794,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":15795,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":15796,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":15797,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":15798,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":15799,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":15800,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":15801,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":15802,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":15803,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":15804,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":15805,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":15806,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":15807,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":15807,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":15808,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":15809,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":15810,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":15811,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":15812,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":15813,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":15814,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":15815,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":15816,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":15817,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":15818,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":15819,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":15820,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":15821,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":15822,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":15823,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":15824,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":15825,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":15826,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":15827,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":15828,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":15829,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":15830,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":15831,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":15832,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":15833,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":15834,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":15835,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":15836,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"number-sections":{"_internalId":15837,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":15838,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":15839,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":15840,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":15841,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":15842,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":15843,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":15844,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":15845,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":15845,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":15846,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":15847,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":15848,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":15849,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":15850,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":15851,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":15852,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":15853,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":15854,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":15855,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":15856,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":15857,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":15858,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":15859,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":15860,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":15861,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":15862,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":15863,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":15864,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":15865,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":15866,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":15867,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":15868,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":15868,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":15869,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,abstract,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,keywords,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":15871,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?beamer([-+].+)?$":{"_internalId":18574,"type":"anyOf","anyOf":[{"_internalId":18572,"type":"object","description":"be an object","properties":{"eval":{"_internalId":18372,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":18373,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":18374,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":18375,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":18376,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":18377,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":18378,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":18379,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":18380,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":18381,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":18382,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":18383,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":18384,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":18385,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":18386,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":18387,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":18388,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":18389,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":18390,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":18391,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"abstract":{"_internalId":18392,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"thanks":{"_internalId":18393,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":18394,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":18395,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":18396,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-block-border-left":{"_internalId":18397,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":18398,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":18399,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":18400,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":18401,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":18402,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":18403,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"linkcolor":{"_internalId":18404,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"filecolor":{"_internalId":18405,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":18406,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":18407,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":18408,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":18409,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"crossref":{"_internalId":18410,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":18411,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":18412,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":18413,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":18414,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":18415,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":18416,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":18417,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":18418,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":18419,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":18420,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":18421,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":18422,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":18423,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":18424,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":18425,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":18426,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":18427,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":18428,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":18429,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":18430,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":18431,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":18432,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":18433,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":18434,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":18435,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":18436,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":18437,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":18438,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":18439,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":18440,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":18441,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":18442,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"CJKoptions":{"_internalId":18443,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":18444,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"linestretch":{"_internalId":18445,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"links-as-notes":{"_internalId":18446,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"funding":{"_internalId":18447,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":18448,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":18448,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":18449,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":18450,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":18451,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":18452,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":18453,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":18454,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":18455,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":18456,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":18457,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":18458,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":18459,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":18460,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":18461,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":18462,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":18463,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":18464,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":18465,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":18466,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":18467,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":18468,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":18469,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":18470,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":18471,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":18472,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":18473,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":18474,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":18475,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"latex-auto-mk":{"_internalId":18476,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-mk","description":"quarto-resource-document-latexmk-latex-auto-mk"},"latex-auto-install":{"_internalId":18477,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-install","description":"quarto-resource-document-latexmk-latex-auto-install"},"latex-min-runs":{"_internalId":18478,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-min-runs","description":"quarto-resource-document-latexmk-latex-min-runs"},"latex-max-runs":{"_internalId":18479,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-max-runs","description":"quarto-resource-document-latexmk-latex-max-runs"},"latex-clean":{"_internalId":18480,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-clean","description":"quarto-resource-document-latexmk-latex-clean"},"latex-makeindex":{"_internalId":18481,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex","description":"quarto-resource-document-latexmk-latex-makeindex"},"latex-makeindex-opts":{"_internalId":18482,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex-opts","description":"quarto-resource-document-latexmk-latex-makeindex-opts"},"latex-tlmgr-opts":{"_internalId":18483,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tlmgr-opts","description":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"latex-output-dir":{"_internalId":18484,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-output-dir","description":"quarto-resource-document-latexmk-latex-output-dir"},"latex-tinytex":{"_internalId":18485,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tinytex","description":"quarto-resource-document-latexmk-latex-tinytex"},"latex-input-paths":{"_internalId":18486,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-input-paths","description":"quarto-resource-document-latexmk-latex-input-paths"},"documentclass":{"_internalId":18487,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":18488,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":18489,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":18490,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"grid":{"_internalId":18491,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":18492,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":18493,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":18494,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":18495,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":18496,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":18497,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":18498,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":18499,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"keywords":{"_internalId":18500,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":18501,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"title-meta":{"_internalId":18502,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"author-meta":{"_internalId":18503,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":18504,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":18505,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":18506,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":18507,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"shift-heading-level-by":{"_internalId":18508,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":18509,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":18510,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":18511,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"pdf-engine":{"_internalId":18512,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":18513,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":18514,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"beameroption":{"_internalId":18515,"type":"ref","$ref":"quarto-resource-document-options-beameroption","description":"quarto-resource-document-options-beameroption"},"aspectratio":{"_internalId":18516,"type":"ref","$ref":"quarto-resource-document-options-aspectratio","description":"quarto-resource-document-options-aspectratio"},"logo":{"_internalId":18517,"type":"ref","$ref":"quarto-resource-document-options-logo","description":"quarto-resource-document-options-logo"},"titlegraphic":{"_internalId":18518,"type":"ref","$ref":"quarto-resource-document-options-titlegraphic","description":"quarto-resource-document-options-titlegraphic"},"navigation":{"_internalId":18519,"type":"ref","$ref":"quarto-resource-document-options-navigation","description":"quarto-resource-document-options-navigation"},"section-titles":{"_internalId":18520,"type":"ref","$ref":"quarto-resource-document-options-section-titles","description":"quarto-resource-document-options-section-titles"},"colortheme":{"_internalId":18521,"type":"ref","$ref":"quarto-resource-document-options-colortheme","description":"quarto-resource-document-options-colortheme"},"colorthemeoptions":{"_internalId":18522,"type":"ref","$ref":"quarto-resource-document-options-colorthemeoptions","description":"quarto-resource-document-options-colorthemeoptions"},"fonttheme":{"_internalId":18523,"type":"ref","$ref":"quarto-resource-document-options-fonttheme","description":"quarto-resource-document-options-fonttheme"},"fontthemeoptions":{"_internalId":18524,"type":"ref","$ref":"quarto-resource-document-options-fontthemeoptions","description":"quarto-resource-document-options-fontthemeoptions"},"innertheme":{"_internalId":18525,"type":"ref","$ref":"quarto-resource-document-options-innertheme","description":"quarto-resource-document-options-innertheme"},"innerthemeoptions":{"_internalId":18526,"type":"ref","$ref":"quarto-resource-document-options-innerthemeoptions","description":"quarto-resource-document-options-innerthemeoptions"},"outertheme":{"_internalId":18527,"type":"ref","$ref":"quarto-resource-document-options-outertheme","description":"quarto-resource-document-options-outertheme"},"outerthemeoptions":{"_internalId":18528,"type":"ref","$ref":"quarto-resource-document-options-outerthemeoptions","description":"quarto-resource-document-options-outerthemeoptions"},"themeoptions":{"_internalId":18529,"type":"ref","$ref":"quarto-resource-document-options-themeoptions","description":"quarto-resource-document-options-themeoptions"},"quarto-required":{"_internalId":18530,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":18531,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":18532,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"cite-method":{"_internalId":18533,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":18534,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":18535,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":18536,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":18537,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"biblio-title":{"_internalId":18538,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":18539,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":18540,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":18541,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":18542,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":18543,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":18544,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":18544,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":18545,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":18546,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":18547,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":18548,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":18549,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":18550,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":18551,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":18552,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":18553,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":18554,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":18555,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-tex":{"_internalId":18556,"type":"ref","$ref":"quarto-resource-document-render-keep-tex","description":"quarto-resource-document-render-keep-tex"},"extract-media":{"_internalId":18557,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":18558,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":18559,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":18560,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":18561,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":18562,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"use-rsvg-convert":{"_internalId":18563,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"incremental":{"_internalId":18564,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":18565,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":18566,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":18567,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":18568,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":18568,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-title":{"_internalId":18569,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"lof":{"_internalId":18570,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":18571,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,abstract,thanks,order,citation,code-annotations,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,linkcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,CJKoptions,microtypeoptions,linestretch,links-as-notes,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,latex-auto-mk,latex-auto-install,latex-min-runs,latex-max-runs,latex-clean,latex-makeindex,latex-makeindex-opts,latex-tlmgr-opts,latex-output-dir,latex-tinytex,latex-input-paths,documentclass,classoption,pagestyle,papersize,grid,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,keywords,subject,title-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,shift-heading-level-by,top-level-division,brand,theme,pdf-engine,pdf-engine-opt,pdf-engine-opts,beameroption,aspectratio,logo,titlegraphic,navigation,section-titles,colortheme,colorthemeoptions,fonttheme,fontthemeoptions,innertheme,innerthemeoptions,outertheme,outerthemeoptions,themeoptions,quarto-required,bibliography,csl,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-tex,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,use-rsvg-convert,incremental,slide-level,df-print,ascii,toc,table-of-contents,toc-title,lof,lot","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^cjkmainfont$|^cjkmainfont$|^cjkoptions$|^cjkoptions$|^links_as_notes$|^linksAsNotes$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^latex_auto_mk$|^latexAutoMk$|^latex_auto_install$|^latexAutoInstall$|^latex_min_runs$|^latexMinRuns$|^latex_max_runs$|^latexMaxRuns$|^latex_clean$|^latexClean$|^latex_makeindex$|^latexMakeindex$|^latex_makeindex_opts$|^latexMakeindexOpts$|^latex_tlmgr_opts$|^latexTlmgrOpts$|^latex_output_dir$|^latexOutputDir$|^latex_tinytex$|^latexTinytex$|^latex_input_paths$|^latexInputPaths$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^title_meta$|^titleMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^section_titles$|^sectionTitles$|^quarto_required$|^quartoRequired$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_tex$|^keepTex$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":18573,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?biblatex([-+].+)?$":{"_internalId":21172,"type":"anyOf","anyOf":[{"_internalId":21170,"type":"object","description":"be an object","properties":{"eval":{"_internalId":21074,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":21075,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":21076,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":21077,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":21078,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":21079,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":21080,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":21081,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":21082,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":21083,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":21084,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":21085,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":21086,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":21087,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":21088,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":21089,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":21090,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":21091,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":21092,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":21093,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":21094,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":21095,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":21096,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":21097,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":21098,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":21099,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":21100,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":21101,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":21102,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":21103,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":21104,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":21105,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":21106,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":21107,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":21108,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":21108,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":21109,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":21110,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":21111,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":21112,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":21113,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":21114,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":21115,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":21116,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":21117,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":21118,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":21119,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":21120,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":21121,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":21122,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":21123,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":21124,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":21125,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":21126,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":21127,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":21128,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":21129,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":21130,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":21131,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":21132,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":21133,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":21134,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":21135,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":21136,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":21137,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":21138,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":21139,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":21140,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":21141,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":21142,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":21143,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":21144,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":21145,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":21145,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":21146,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":21147,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":21148,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":21149,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":21150,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":21151,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":21152,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":21153,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":21154,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":21155,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":21156,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":21157,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":21158,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":21159,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":21160,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":21161,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":21162,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":21163,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":21164,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":21165,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":21166,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":21167,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":21168,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":21168,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":21169,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":21171,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?bibtex([-+].+)?$":{"_internalId":23770,"type":"anyOf","anyOf":[{"_internalId":23768,"type":"object","description":"be an object","properties":{"eval":{"_internalId":23672,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":23673,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":23674,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":23675,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":23676,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":23677,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":23678,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":23679,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":23680,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":23681,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":23682,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":23683,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":23684,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":23685,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":23686,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":23687,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":23688,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":23689,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":23690,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":23691,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":23692,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":23693,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":23694,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":23695,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":23696,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":23697,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":23698,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":23699,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":23700,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":23701,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":23702,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":23703,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":23704,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":23705,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":23706,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":23706,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":23707,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":23708,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":23709,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":23710,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":23711,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":23712,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":23713,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":23714,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":23715,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":23716,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":23717,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":23718,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":23719,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":23720,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":23721,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":23722,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":23723,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":23724,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":23725,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":23726,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":23727,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":23728,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":23729,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":23730,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":23731,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":23732,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":23733,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":23734,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":23735,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":23736,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":23737,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":23738,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":23739,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":23740,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":23741,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":23742,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":23743,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":23743,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":23744,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":23745,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":23746,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":23747,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":23748,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":23749,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":23750,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":23751,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":23752,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":23753,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":23754,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":23755,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":23756,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":23757,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":23758,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":23759,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":23760,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":23761,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":23762,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":23763,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":23764,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":23765,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":23766,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":23766,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":23767,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":23769,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?chunkedhtml([-+].+)?$":{"_internalId":26369,"type":"anyOf","anyOf":[{"_internalId":26367,"type":"object","description":"be an object","properties":{"eval":{"_internalId":26270,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":26271,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":26272,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":26273,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":26274,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":26275,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":26276,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":26277,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":26278,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":26279,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":26280,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":26281,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":26282,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":26283,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":26284,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":26285,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":26286,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":26287,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":26288,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":26289,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":26290,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":26291,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":26292,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":26293,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":26294,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":26295,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":26296,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":26297,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":26298,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":26299,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":26300,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":26301,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":26302,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"split-level":{"_internalId":26303,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":26304,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":26305,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":26305,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":26306,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":26307,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":26308,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":26309,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":26310,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":26311,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":26312,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":26313,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":26314,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":26315,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":26316,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":26317,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":26318,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":26319,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":26320,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":26321,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":26322,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":26323,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":26324,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":26325,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":26326,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":26327,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":26328,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":26329,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":26330,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":26331,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":26332,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":26333,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":26334,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":26335,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":26336,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":26337,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":26338,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":26339,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":26340,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":26341,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":26342,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":26342,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":26343,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":26344,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":26345,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":26346,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":26347,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":26348,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":26349,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":26350,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":26351,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":26352,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":26353,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":26354,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":26355,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":26356,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":26357,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":26358,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":26359,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":26360,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":26361,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":26362,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":26363,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":26364,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":26365,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":26365,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":26366,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":26368,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?commonmark([-+].+)?$":{"_internalId":28974,"type":"anyOf","anyOf":[{"_internalId":28972,"type":"object","description":"be an object","properties":{"eval":{"_internalId":28869,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":28870,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":28871,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":28872,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":28873,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":28874,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":28875,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":28876,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":28877,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":28878,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":28879,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":28880,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":28881,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":28882,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":28883,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":28884,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":28885,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":28886,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":28887,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":28888,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":28889,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":28890,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":28891,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":28892,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":28893,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":28894,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":28895,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":28896,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":28897,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":28898,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":28899,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":28900,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":28901,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":28902,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":28903,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":28904,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":28904,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":28905,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":28906,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":28907,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":28908,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":28909,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":28910,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":28911,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":28912,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":28913,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":28914,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":28915,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":28916,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":28917,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":28918,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":28919,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":28920,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":28921,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":28922,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":28923,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":28924,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":28925,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":28926,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":28927,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":28928,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":28929,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":28930,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":28931,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":28932,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":28933,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":28934,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":28935,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":28936,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":28937,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":28938,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":28939,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":28940,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":28941,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":28942,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":28943,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":28944,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":28945,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":28945,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":28946,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":28947,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":28948,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":28949,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":28950,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":28951,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":28952,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":28953,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":28954,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":28955,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":28956,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":28957,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":28958,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":28959,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":28960,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":28961,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":28962,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":28963,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":28964,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":28965,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":28966,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":28967,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":28968,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":28969,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":28970,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":28970,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":28971,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":28973,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?commonmark_x([-+].+)?$":{"_internalId":31579,"type":"anyOf","anyOf":[{"_internalId":31577,"type":"object","description":"be an object","properties":{"eval":{"_internalId":31474,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":31475,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":31476,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":31477,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":31478,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":31479,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":31480,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":31481,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":31482,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":31483,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":31484,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":31485,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":31486,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":31487,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":31488,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":31489,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":31490,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":31491,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":31492,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":31493,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":31494,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":31495,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":31496,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":31497,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":31498,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":31499,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":31500,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":31501,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":31502,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":31503,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":31504,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":31505,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":31506,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":31507,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":31508,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":31509,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":31509,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":31510,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":31511,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":31512,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":31513,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":31514,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":31515,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":31516,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":31517,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":31518,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":31519,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":31520,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":31521,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":31522,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":31523,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":31524,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":31525,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":31526,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":31527,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":31528,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":31529,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":31530,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":31531,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":31532,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":31533,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":31534,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":31535,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":31536,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":31537,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":31538,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":31539,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":31540,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":31541,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":31542,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":31543,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":31544,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":31545,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":31546,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":31547,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":31548,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":31549,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":31550,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":31550,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":31551,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":31552,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":31553,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":31554,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":31555,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":31556,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":31557,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":31558,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":31559,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":31560,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":31561,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":31562,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":31563,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":31564,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":31565,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":31566,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":31567,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":31568,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":31569,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":31570,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":31571,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":31572,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":31573,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":31574,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":31575,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":31575,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":31576,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":31578,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?context([-+].+)?$":{"_internalId":34206,"type":"anyOf","anyOf":[{"_internalId":34204,"type":"object","description":"be an object","properties":{"eval":{"_internalId":34079,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":34080,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":34081,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":34082,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":34083,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":34084,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":34085,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":34086,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":34087,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":34088,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":34089,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":34090,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":34091,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":34092,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":34093,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"linkcolor":{"_internalId":34094,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"contrastcolor":{"_internalId":34095,"type":"ref","$ref":"quarto-resource-document-colors-contrastcolor","description":"quarto-resource-document-colors-contrastcolor"},"crossref":{"_internalId":34096,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":34097,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":34098,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":34099,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":34100,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":34101,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":34102,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":34103,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":34104,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":34105,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":34106,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":34107,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":34108,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":34109,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":34110,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":34111,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":34112,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":34113,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":34114,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":34115,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":34116,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":34117,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":34118,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":34119,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"interlinespace":{"_internalId":34120,"type":"ref","$ref":"quarto-resource-document-fonts-interlinespace","description":"quarto-resource-document-fonts-interlinespace"},"linkstyle":{"_internalId":34121,"type":"ref","$ref":"quarto-resource-document-fonts-linkstyle","description":"quarto-resource-document-fonts-linkstyle"},"whitespace":{"_internalId":34122,"type":"ref","$ref":"quarto-resource-document-fonts-whitespace","description":"quarto-resource-document-fonts-whitespace"},"indenting":{"_internalId":34123,"type":"ref","$ref":"quarto-resource-document-formatting-indenting","description":"quarto-resource-document-formatting-indenting"},"funding":{"_internalId":34124,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":34125,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":34125,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":34126,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":34127,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":34128,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":34129,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":34130,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":34131,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":34132,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":34133,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":34134,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":34135,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":34136,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":34137,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":34138,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":34139,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":34140,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":34141,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":34142,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":34143,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":34144,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":34145,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":34146,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":34147,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"headertext":{"_internalId":34148,"type":"ref","$ref":"quarto-resource-document-includes-headertext","description":"quarto-resource-document-includes-headertext"},"footertext":{"_internalId":34149,"type":"ref","$ref":"quarto-resource-document-includes-footertext","description":"quarto-resource-document-includes-footertext"},"includesource":{"_internalId":34150,"type":"ref","$ref":"quarto-resource-document-includes-includesource","description":"quarto-resource-document-includes-includesource"},"metadata-file":{"_internalId":34151,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":34152,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":34153,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":34154,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":34155,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"layout":{"_internalId":34156,"type":"ref","$ref":"quarto-resource-document-layout-layout","description":"quarto-resource-document-layout-layout"},"grid":{"_internalId":34157,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":34158,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":34159,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":34160,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":34161,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"keywords":{"_internalId":34162,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"number-sections":{"_internalId":34163,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":34164,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"pagenumbering":{"_internalId":34165,"type":"ref","$ref":"quarto-resource-document-numbering-pagenumbering","description":"quarto-resource-document-numbering-pagenumbering"},"top-level-division":{"_internalId":34166,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":34167,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":34168,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":34169,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":34170,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"quarto-required":{"_internalId":34171,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"pdfa":{"_internalId":34172,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfa","description":"quarto-resource-document-pdfa-pdfa"},"pdfaiccprofile":{"_internalId":34173,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaiccprofile","description":"quarto-resource-document-pdfa-pdfaiccprofile"},"pdfaintent":{"_internalId":34174,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaintent","description":"quarto-resource-document-pdfa-pdfaintent"},"bibliography":{"_internalId":34175,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":34176,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":34177,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":34178,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":34179,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":34179,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":34180,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":34181,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":34182,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":34183,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":34184,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":34185,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":34186,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":34187,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":34188,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":34189,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":34190,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":34191,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":34192,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":34193,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":34194,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":34195,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":34196,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":34197,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":34198,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":34199,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":34200,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":34201,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":34202,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":34202,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":34203,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,subtitle,date,date-format,author,abstract,order,citation,code-annotations,linkcolor,contrastcolor,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,linestretch,interlinespace,linkstyle,whitespace,indenting,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,headertext,footertext,includesource,metadata-file,metadata-files,lang,language,dir,layout,grid,margin-left,margin-right,margin-top,margin-bottom,keywords,number-sections,shift-heading-level-by,pagenumbering,top-level-division,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,quarto-required,pdfa,pdfaiccprofile,pdfaintent,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":34205,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?csljson([-+].+)?$":{"_internalId":36804,"type":"anyOf","anyOf":[{"_internalId":36802,"type":"object","description":"be an object","properties":{"eval":{"_internalId":36706,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":36707,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":36708,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":36709,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":36710,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":36711,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":36712,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":36713,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":36714,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":36715,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":36716,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":36717,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":36718,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":36719,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":36720,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":36721,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":36722,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":36723,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":36724,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":36725,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":36726,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":36727,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":36728,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":36729,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":36730,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":36731,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":36732,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":36733,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":36734,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":36735,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":36736,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":36737,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":36738,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":36739,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":36740,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":36740,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":36741,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":36742,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":36743,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":36744,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":36745,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":36746,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":36747,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":36748,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":36749,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":36750,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":36751,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":36752,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":36753,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":36754,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":36755,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":36756,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":36757,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":36758,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":36759,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":36760,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":36761,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":36762,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":36763,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":36764,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":36765,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":36766,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":36767,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":36768,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":36769,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":36770,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":36771,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":36772,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":36773,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":36774,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":36775,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":36776,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":36777,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":36777,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":36778,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":36779,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":36780,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":36781,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":36782,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":36783,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":36784,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":36785,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":36786,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":36787,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":36788,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":36789,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":36790,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":36791,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":36792,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":36793,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":36794,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":36795,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":36796,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":36797,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":36798,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":36799,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":36800,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":36800,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":36801,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":36803,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?djot([-+].+)?$":{"_internalId":39402,"type":"anyOf","anyOf":[{"_internalId":39400,"type":"object","description":"be an object","properties":{"eval":{"_internalId":39304,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":39305,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":39306,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":39307,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":39308,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":39309,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":39310,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":39311,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":39312,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":39313,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":39314,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":39315,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":39316,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":39317,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":39318,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":39319,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":39320,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":39321,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":39322,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":39323,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":39324,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":39325,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":39326,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":39327,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":39328,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":39329,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":39330,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":39331,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":39332,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":39333,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":39334,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":39335,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":39336,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":39337,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":39338,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":39338,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":39339,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":39340,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":39341,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":39342,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":39343,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":39344,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":39345,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":39346,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":39347,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":39348,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":39349,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":39350,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":39351,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":39352,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":39353,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":39354,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":39355,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":39356,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":39357,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":39358,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":39359,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":39360,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":39361,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":39362,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":39363,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":39364,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":39365,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":39366,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":39367,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":39368,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":39369,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":39370,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":39371,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":39372,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":39373,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":39374,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":39375,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":39375,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":39376,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":39377,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":39378,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":39379,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":39380,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":39381,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":39382,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":39383,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":39384,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":39385,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":39386,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":39387,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":39388,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":39389,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":39390,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":39391,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":39392,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":39393,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":39394,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":39395,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":39396,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":39397,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":39398,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":39398,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":39399,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":39401,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docbook([-+].+)?$":{"_internalId":41996,"type":"anyOf","anyOf":[{"_internalId":41994,"type":"object","description":"be an object","properties":{"eval":{"_internalId":41902,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":41903,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":41904,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":41905,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":41906,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":41907,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":41908,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":41909,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":41910,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":41911,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":41912,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":41913,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":41914,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":41915,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":41916,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":41917,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":41918,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":41919,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":41920,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":41921,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":41922,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":41923,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":41924,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":41925,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":41926,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":41927,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":41928,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":41929,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":41930,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":41931,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":41932,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":41933,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":41934,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":41935,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":41936,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":41936,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":41937,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":41938,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":41939,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":41940,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":41941,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":41942,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":41943,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":41944,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":41945,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":41946,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":41947,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":41948,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":41949,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":41950,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":41951,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":41952,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":41953,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":41954,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":41955,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":41956,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":41957,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":41958,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":41959,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":41960,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":41961,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":41962,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":41963,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":41964,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":41965,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":41966,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":41967,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":41968,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":41969,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":41970,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":41971,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":41972,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":41973,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":41974,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":41975,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":41975,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":41976,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":41977,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":41978,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":41979,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":41980,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":41981,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":41982,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":41983,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":41984,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":41985,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":41986,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":41987,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":41988,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":41989,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":41990,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":41991,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":41992,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":41993,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":41995,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docbook4([-+].+)?$":{"_internalId":44590,"type":"anyOf","anyOf":[{"_internalId":44588,"type":"object","description":"be an object","properties":{"eval":{"_internalId":44496,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":44497,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":44498,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":44499,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":44500,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":44501,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":44502,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":44503,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":44504,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":44505,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":44506,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":44507,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":44508,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":44509,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":44510,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":44511,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":44512,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":44513,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":44514,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":44515,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":44516,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":44517,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":44518,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":44519,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":44520,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":44521,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":44522,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":44523,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":44524,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":44525,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":44526,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":44527,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":44528,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":44529,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":44530,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":44530,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":44531,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":44532,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":44533,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":44534,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":44535,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":44536,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":44537,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":44538,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":44539,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":44540,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":44541,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":44542,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":44543,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":44544,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":44545,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":44546,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":44547,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":44548,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":44549,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":44550,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":44551,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":44552,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":44553,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":44554,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":44555,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":44556,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":44557,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":44558,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":44559,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":44560,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":44561,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":44562,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":44563,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":44564,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":44565,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":44566,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":44567,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":44568,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":44569,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":44569,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":44570,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":44571,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":44572,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":44573,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":44574,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":44575,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":44576,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":44577,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":44578,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":44579,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":44580,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":44581,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":44582,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":44583,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":44584,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":44585,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":44586,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":44587,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":44589,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docbook5([-+].+)?$":{"_internalId":47184,"type":"anyOf","anyOf":[{"_internalId":47182,"type":"object","description":"be an object","properties":{"eval":{"_internalId":47090,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":47091,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":47092,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":47093,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":47094,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":47095,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":47096,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":47097,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":47098,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":47099,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":47100,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":47101,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":47102,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":47103,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":47104,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":47105,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":47106,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":47107,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":47108,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":47109,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":47110,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":47111,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":47112,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":47113,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":47114,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":47115,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":47116,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":47117,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":47118,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":47119,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":47120,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":47121,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":47122,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":47123,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":47124,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":47124,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":47125,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":47126,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":47127,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":47128,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":47129,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":47130,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":47131,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":47132,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":47133,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":47134,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":47135,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":47136,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":47137,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":47138,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":47139,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":47140,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":47141,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":47142,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":47143,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":47144,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":47145,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":47146,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":47147,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":47148,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":47149,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":47150,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":47151,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":47152,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":47153,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":47154,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":47155,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":47156,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":47157,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":47158,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":47159,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":47160,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":47161,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":47162,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":47163,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":47163,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":47164,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":47165,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":47166,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":47167,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":47168,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":47169,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":47170,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":47171,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":47172,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":47173,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":47174,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":47175,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":47176,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":47177,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":47178,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":47179,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":47180,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":47181,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":47183,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docx([-+].+)?$":{"_internalId":49790,"type":"anyOf","anyOf":[{"_internalId":49788,"type":"object","description":"be an object","properties":{"eval":{"_internalId":49684,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":49685,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":49686,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":49687,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":49688,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":49689,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":49690,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":49691,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":49692,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":49693,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":49694,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":49695,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":49696,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":49697,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":49698,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":49699,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":49700,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":49701,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":49702,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":49703,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":49704,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":49705,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":49706,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":49707,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":49708,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":49709,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":49710,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":49711,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":49712,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":49713,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":49714,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":49715,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":49716,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":49717,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":49718,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":49719,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":49720,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":49721,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":49722,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":49723,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":49724,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":49725,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":49726,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":49726,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":49727,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":49728,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":49729,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":49730,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":49731,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":49732,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":49733,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":49734,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":49735,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":49736,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":49737,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":49738,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":49739,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":49740,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"track-changes":{"_internalId":49741,"type":"ref","$ref":"quarto-resource-document-hidden-track-changes","description":"quarto-resource-document-hidden-track-changes"},"output-divs":{"_internalId":49742,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":49743,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":49744,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":49745,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":49746,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":49747,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":49748,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"page-width":{"_internalId":49749,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":49750,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":49751,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":49752,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"description":{"_internalId":49753,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"category":{"_internalId":49754,"type":"ref","$ref":"quarto-resource-document-metadata-category","description":"quarto-resource-document-metadata-category"},"number-sections":{"_internalId":49755,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":49756,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"shift-heading-level-by":{"_internalId":49757,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"reference-doc":{"_internalId":49758,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":49759,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":49760,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":49761,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":49762,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":49763,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":49764,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":49765,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":49766,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":49767,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":49768,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":49768,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":49769,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":49770,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"filters":{"_internalId":49771,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":49772,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":49773,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":49774,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":49775,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":49776,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":49777,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":49778,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":49779,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":49780,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":49781,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":49782,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":49783,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":49784,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":49785,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":49785,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":49786,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":49787,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,track-changes,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,page-width,grid,keywords,subject,description,category,number-sections,number-depth,shift-heading-level-by,reference-doc,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^track_changes$|^trackChanges$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_width$|^pageWidth$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^reference_doc$|^referenceDoc$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":49789,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?dokuwiki([-+].+)?$":{"_internalId":52388,"type":"anyOf","anyOf":[{"_internalId":52386,"type":"object","description":"be an object","properties":{"eval":{"_internalId":52290,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":52291,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":52292,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":52293,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":52294,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":52295,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":52296,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":52297,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":52298,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":52299,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":52300,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":52301,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":52302,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":52303,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":52304,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":52305,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":52306,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":52307,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":52308,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":52309,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":52310,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":52311,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":52312,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":52313,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":52314,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":52315,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":52316,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":52317,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":52318,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":52319,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":52320,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":52321,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":52322,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":52323,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":52324,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":52324,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":52325,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":52326,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":52327,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":52328,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":52329,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":52330,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":52331,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":52332,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":52333,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":52334,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":52335,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":52336,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":52337,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":52338,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":52339,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":52340,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":52341,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":52342,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":52343,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":52344,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":52345,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":52346,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":52347,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":52348,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":52349,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":52350,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":52351,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":52352,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":52353,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":52354,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":52355,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":52356,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":52357,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":52358,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":52359,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":52360,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":52361,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":52361,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":52362,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":52363,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":52364,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":52365,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":52366,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":52367,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":52368,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":52369,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":52370,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":52371,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":52372,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":52373,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":52374,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":52375,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":52376,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":52377,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":52378,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":52379,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":52380,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":52381,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":52382,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":52383,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":52384,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":52384,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":52385,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":52387,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?dzslides([-+].+)?$":{"_internalId":55036,"type":"anyOf","anyOf":[{"_internalId":55034,"type":"object","description":"be an object","properties":{"eval":{"_internalId":54888,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":54889,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":54890,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":54891,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":54892,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":54893,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":54894,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":54895,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":54896,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":54897,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":54898,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":54899,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":54900,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":54901,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":54902,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":54903,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":54904,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":54905,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":54906,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":54907,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":54908,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":54909,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":54910,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":54911,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":54912,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":54913,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":54914,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":54915,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":54916,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":54917,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":54918,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":54919,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":54920,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":54921,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":54922,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":54923,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":54924,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":54925,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":54926,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":54927,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":54928,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":54929,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":54930,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":54931,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":54932,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":54933,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":54934,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":54935,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":54936,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":54937,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":54938,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":54939,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":54940,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":54941,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":54942,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":54943,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":54944,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":54945,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":54945,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":54946,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":54947,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":54948,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":54949,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":54950,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":54951,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":54952,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":54953,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":54954,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":54955,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":54956,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":54957,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":54958,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":54959,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":54960,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":54961,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":54962,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":54963,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":54964,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":54965,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":54966,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":54967,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":54968,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":54969,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":54970,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":54971,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":54972,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":54973,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":54974,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":54975,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":54976,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":54977,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":54978,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":54979,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":54980,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"mermaid":{"_internalId":54981,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":54982,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":54983,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":54984,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":54985,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":54986,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":54987,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":54988,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":54989,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":54990,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":54991,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":54992,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":54993,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":54994,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":54995,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":54996,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":54997,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":54998,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":54999,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":55000,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":55001,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":55002,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":55003,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":55004,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":55005,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":55005,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":55006,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":55007,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":55008,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":55009,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":55010,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":55011,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":55012,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":55013,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":55014,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":55015,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":55016,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":55017,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":55018,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":55019,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":55020,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":55021,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":55022,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":55023,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":55024,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":55025,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":55026,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":55027,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":55028,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":55029,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":55030,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":55031,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":55031,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":55032,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":55033,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":55035,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?epub([-+].+)?$":{"_internalId":57674,"type":"anyOf","anyOf":[{"_internalId":57672,"type":"object","description":"be an object","properties":{"eval":{"_internalId":57536,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":57537,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":57538,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":57539,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":57540,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":57541,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":57542,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"tbl-colwidths":{"_internalId":57543,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":57544,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":57545,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":57546,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":57547,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":57548,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":57549,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":57550,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":57551,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":57552,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":57553,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":57554,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":57555,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":57556,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":57557,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-annotations":{"_internalId":57558,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":57559,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":57560,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":57561,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":57562,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":57563,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":57564,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":57565,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":57566,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":57567,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":57568,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":57569,"type":"ref","$ref":"quarto-resource-document-epub-subject","description":"quarto-resource-document-epub-subject"},"type":{"_internalId":57570,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"format":{"_internalId":57571,"type":"ref","$ref":"quarto-resource-document-epub-format","description":"quarto-resource-document-epub-format"},"relation":{"_internalId":57572,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":57573,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":57574,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":57575,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":57576,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":57577,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":57578,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":57579,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":57580,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":57581,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":57582,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":57583,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":57584,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":57585,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":57586,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":57587,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":57588,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":57589,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":57590,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":57591,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":57592,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":57593,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":57594,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":57595,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":57596,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":57597,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":57598,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":57599,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":57600,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":57601,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":57602,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"split-level":{"_internalId":57603,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":57604,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":57605,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":57605,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":57606,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":57607,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":57608,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":57609,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":57610,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":57611,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":57612,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":57613,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":57614,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":57615,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":57616,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":57617,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":57618,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":57619,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":57620,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":57621,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":57622,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":57623,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":57624,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":57625,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":57626,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":57627,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":57628,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":57629,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":57630,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":57631,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":57632,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":57633,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":57634,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"date-meta":{"_internalId":57635,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":57636,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":57637,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":57638,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":57639,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":57640,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"css":{"_internalId":57641,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"html-math-method":{"_internalId":57642,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"html-q-tags":{"_internalId":57643,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":57644,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":57645,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":57646,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":57647,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":57648,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":57649,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":57649,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":57650,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":57651,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":57652,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":57653,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":57654,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":57655,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":57656,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":57657,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":57658,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":57659,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":57660,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":57661,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":57662,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":57663,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":57664,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":57665,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":57666,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":57667,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":57668,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":57669,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":57669,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":57670,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":57671,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-copy,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,identifier,creator,contributor,subject,type,format,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,grid,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,brand,css,html-math-method,html-q-tags,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,ascii,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":57673,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?epub2([-+].+)?$":{"_internalId":60312,"type":"anyOf","anyOf":[{"_internalId":60310,"type":"object","description":"be an object","properties":{"eval":{"_internalId":60174,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":60175,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":60176,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":60177,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":60178,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":60179,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":60180,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"tbl-colwidths":{"_internalId":60181,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":60182,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":60183,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":60184,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":60185,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":60186,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":60187,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":60188,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":60189,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":60190,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":60191,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":60192,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":60193,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":60194,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":60195,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-annotations":{"_internalId":60196,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":60197,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":60198,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":60199,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":60200,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":60201,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":60202,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":60203,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":60204,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":60205,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":60206,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":60207,"type":"ref","$ref":"quarto-resource-document-epub-subject","description":"quarto-resource-document-epub-subject"},"type":{"_internalId":60208,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"format":{"_internalId":60209,"type":"ref","$ref":"quarto-resource-document-epub-format","description":"quarto-resource-document-epub-format"},"relation":{"_internalId":60210,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":60211,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":60212,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":60213,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":60214,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":60215,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":60216,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":60217,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":60218,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":60219,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":60220,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":60221,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":60222,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":60223,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":60224,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":60225,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":60226,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":60227,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":60228,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":60229,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":60230,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":60231,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":60232,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":60233,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":60234,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":60235,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":60236,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":60237,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":60238,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":60239,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":60240,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"split-level":{"_internalId":60241,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":60242,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":60243,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":60243,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":60244,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":60245,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":60246,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":60247,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":60248,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":60249,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":60250,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":60251,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":60252,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":60253,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":60254,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":60255,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":60256,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":60257,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":60258,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":60259,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":60260,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":60261,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":60262,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":60263,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":60264,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":60265,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":60266,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":60267,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":60268,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":60269,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":60270,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":60271,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":60272,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"date-meta":{"_internalId":60273,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":60274,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":60275,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":60276,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":60277,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":60278,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"css":{"_internalId":60279,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"html-math-method":{"_internalId":60280,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"html-q-tags":{"_internalId":60281,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":60282,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":60283,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":60284,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":60285,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":60286,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":60287,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":60287,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":60288,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":60289,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":60290,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":60291,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":60292,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":60293,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":60294,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":60295,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":60296,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":60297,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":60298,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":60299,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":60300,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":60301,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":60302,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":60303,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":60304,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":60305,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":60306,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":60307,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":60307,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":60308,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":60309,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-copy,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,identifier,creator,contributor,subject,type,format,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,grid,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,brand,css,html-math-method,html-q-tags,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,ascii,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":60311,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?epub3([-+].+)?$":{"_internalId":62950,"type":"anyOf","anyOf":[{"_internalId":62948,"type":"object","description":"be an object","properties":{"eval":{"_internalId":62812,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":62813,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":62814,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":62815,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":62816,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":62817,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":62818,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"tbl-colwidths":{"_internalId":62819,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":62820,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":62821,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":62822,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":62823,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":62824,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":62825,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":62826,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":62827,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":62828,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":62829,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":62830,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":62831,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":62832,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":62833,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-annotations":{"_internalId":62834,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":62835,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":62836,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":62837,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":62838,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":62839,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":62840,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":62841,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":62842,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":62843,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":62844,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":62845,"type":"ref","$ref":"quarto-resource-document-epub-subject","description":"quarto-resource-document-epub-subject"},"type":{"_internalId":62846,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"format":{"_internalId":62847,"type":"ref","$ref":"quarto-resource-document-epub-format","description":"quarto-resource-document-epub-format"},"relation":{"_internalId":62848,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":62849,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":62850,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":62851,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":62852,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":62853,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":62854,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":62855,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":62856,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":62857,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":62858,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":62859,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":62860,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":62861,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":62862,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":62863,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":62864,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":62865,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":62866,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":62867,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":62868,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":62869,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":62870,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":62871,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":62872,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":62873,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":62874,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":62875,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":62876,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":62877,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":62878,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"split-level":{"_internalId":62879,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":62880,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":62881,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":62881,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":62882,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":62883,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":62884,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":62885,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":62886,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":62887,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":62888,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":62889,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":62890,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":62891,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":62892,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":62893,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":62894,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":62895,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":62896,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":62897,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":62898,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":62899,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":62900,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":62901,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":62902,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":62903,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":62904,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":62905,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":62906,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":62907,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":62908,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":62909,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":62910,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"date-meta":{"_internalId":62911,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":62912,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":62913,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":62914,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":62915,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":62916,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"css":{"_internalId":62917,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"html-math-method":{"_internalId":62918,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"html-q-tags":{"_internalId":62919,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":62920,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":62921,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":62922,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":62923,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":62924,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":62925,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":62925,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":62926,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":62927,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":62928,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":62929,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":62930,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":62931,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":62932,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":62933,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":62934,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":62935,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":62936,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":62937,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":62938,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":62939,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":62940,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":62941,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":62942,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":62943,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":62944,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":62945,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":62945,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":62946,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":62947,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-copy,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,identifier,creator,contributor,subject,type,format,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,grid,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,brand,css,html-math-method,html-q-tags,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,ascii,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":62949,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?fb2([-+].+)?$":{"_internalId":65548,"type":"anyOf","anyOf":[{"_internalId":65546,"type":"object","description":"be an object","properties":{"eval":{"_internalId":65450,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":65451,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":65452,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":65453,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":65454,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":65455,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":65456,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":65457,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":65458,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":65459,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":65460,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":65461,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":65462,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":65463,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":65464,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":65465,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":65466,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":65467,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":65468,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":65469,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":65470,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":65471,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":65472,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":65473,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":65474,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":65475,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":65476,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":65477,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":65478,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":65479,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":65480,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":65481,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":65482,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":65483,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":65484,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":65484,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":65485,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":65486,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":65487,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":65488,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":65489,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":65490,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":65491,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":65492,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":65493,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":65494,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":65495,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":65496,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":65497,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":65498,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":65499,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":65500,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":65501,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":65502,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":65503,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":65504,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":65505,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":65506,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":65507,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":65508,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":65509,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":65510,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":65511,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":65512,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":65513,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":65514,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":65515,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":65516,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":65517,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":65518,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":65519,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":65520,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":65521,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":65521,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":65522,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":65523,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":65524,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":65525,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":65526,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":65527,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":65528,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":65529,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":65530,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":65531,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":65532,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":65533,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":65534,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":65535,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":65536,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":65537,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":65538,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":65539,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":65540,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":65541,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":65542,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":65543,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":65544,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":65544,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":65545,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":65547,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?gfm([-+].+)?$":{"_internalId":68155,"type":"anyOf","anyOf":[{"_internalId":68153,"type":"object","description":"be an object","properties":{"eval":{"_internalId":68048,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":68049,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":68050,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":68051,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":68052,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":68053,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":68054,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":68055,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":68056,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":68057,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":68058,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":68059,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":68060,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":68061,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":68062,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":68063,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":68064,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":68065,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":68066,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":68067,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":68068,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":68069,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":68070,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":68071,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":68072,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":68073,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":68074,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":68075,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":68076,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":68077,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":68078,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":68079,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":68080,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":68081,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":68082,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":68083,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":68083,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":68084,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":68085,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":68086,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":68087,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":68088,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":68089,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":68090,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":68091,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":68092,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":68093,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":68094,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":68095,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":68096,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":68097,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":68098,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":68099,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":68100,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":68101,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":68102,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":68103,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":68104,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":68105,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":68106,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":68107,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":68108,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":68109,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":68110,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":68111,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":68112,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":68113,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":68114,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":68115,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"html-math-method":{"_internalId":68116,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"identifier-prefix":{"_internalId":68117,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":68118,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":68119,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":68120,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":68121,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":68122,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":68123,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":68124,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":68125,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":68126,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":68126,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":68127,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":68128,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":68129,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":68130,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":68131,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":68132,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":68133,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":68134,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":68135,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":68136,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":68137,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":68138,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":68139,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":68140,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":68141,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":68142,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":68143,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":68144,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":68145,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":68146,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":68147,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":68148,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":68149,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":68150,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":68151,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":68151,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":68152,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,html-math-method,identifier-prefix,variant,markdown-headings,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":68154,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?haddock([-+].+)?$":{"_internalId":70754,"type":"anyOf","anyOf":[{"_internalId":70752,"type":"object","description":"be an object","properties":{"eval":{"_internalId":70655,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":70656,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":70657,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":70658,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":70659,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":70660,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":70661,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":70662,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":70663,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":70664,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":70665,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":70666,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":70667,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":70668,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":70669,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":70670,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":70671,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":70672,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":70673,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":70674,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":70675,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":70676,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":70677,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":70678,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":70679,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":70680,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":70681,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":70682,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":70683,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":70684,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":70685,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":70686,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":70687,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":70688,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":70689,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":70689,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":70690,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":70691,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":70692,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":70693,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":70694,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":70695,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":70696,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":70697,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":70698,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":70699,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":70700,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":70701,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":70702,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":70703,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":70704,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":70705,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":70706,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":70707,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":70708,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":70709,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":70710,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":70711,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":70712,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":70713,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":70714,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":70715,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":70716,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":70717,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":70718,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":70719,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":70720,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":70721,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":70722,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":70723,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":70724,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":70725,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":70726,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":70727,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":70727,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":70728,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":70729,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":70730,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":70731,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":70732,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":70733,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":70734,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":70735,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":70736,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":70737,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":70738,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":70739,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":70740,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":70741,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":70742,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":70743,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":70744,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":70745,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":70746,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":70747,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":70748,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":70749,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":70750,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":70750,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":70751,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":70753,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?html([-+].+)?$":{"_internalId":73459,"type":"anyOf","anyOf":[{"_internalId":73457,"type":"object","description":"be an object","properties":{"eval":{"_internalId":73254,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":73255,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":73256,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":73257,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":73258,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":73259,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":73260,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":73261,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":73262,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":73263,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":73264,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":73265,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":73266,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":73267,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":73268,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":73269,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":73270,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":73271,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":73272,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":73273,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":73274,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":73275,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":73276,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":73277,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"doi":{"_internalId":73278,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"order":{"_internalId":73279,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":73280,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":73281,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":73282,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":73283,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":73284,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":73285,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":73286,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":73287,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":73288,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":73289,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":73290,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":73291,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":73292,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":73293,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":73294,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"comments":{"_internalId":73295,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":73296,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":73297,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":73298,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":73299,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":73300,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":73301,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":73302,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":73303,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":73304,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":73305,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":73306,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":73307,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":73308,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":73309,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":73310,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":73311,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":73312,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":73313,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":73314,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":73315,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":73316,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":73317,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":73318,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":73319,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":73320,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":73321,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"footnotes-hover":{"_internalId":73322,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":73323,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":73324,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":73325,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":73325,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":73326,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":73327,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":73328,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":73329,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":73330,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":73331,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":73332,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":73333,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":73334,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":73335,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":73336,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":73337,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":73338,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":73339,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"keep-source":{"_internalId":73340,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":73341,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"output-divs":{"_internalId":73342,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":73343,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":73344,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":73345,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":73346,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":73347,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":73348,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":73349,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":73350,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":73351,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":73352,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":73353,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":73354,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":73355,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":73356,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"page-layout":{"_internalId":73357,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"grid":{"_internalId":73358,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":73359,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":73360,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":73361,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":73362,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":73363,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":73364,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":73365,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":73366,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":73367,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":73368,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":73369,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"lightbox":{"_internalId":73370,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":73371,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":73372,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":73373,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":73374,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":73375,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":73376,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":73377,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-view":{"_internalId":73378,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":73379,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":73380,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":73381,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":73382,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":73383,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":73384,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"copyright":{"_internalId":73385,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"license":{"_internalId":73386,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"pagetitle":{"_internalId":73387,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":73388,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":73389,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":73390,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":73391,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":73392,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":73393,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":73394,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":73395,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":73396,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":73397,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":73398,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":73399,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":73400,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":73401,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":73402,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":73403,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":73404,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":73405,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":73406,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":73407,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":73408,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":73409,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":73410,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":73411,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":73412,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":73413,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":73414,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":73415,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":73416,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"citeproc":{"_internalId":73417,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":73418,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":73419,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":73419,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":73420,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":73421,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":73422,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":73423,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":73424,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":73425,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":73426,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":73427,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":73428,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":73429,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":73430,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":73431,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":73432,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":73433,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":73434,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":73435,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":73436,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":73437,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":73438,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":73439,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":73440,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":73441,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":73442,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":73443,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":73443,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":73444,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":73445,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":73446,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":73447,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"search":{"_internalId":73448,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":73449,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":73450,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":73451,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":73452,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":73453,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":73454,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":73455,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":73456,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,abstract,abstract-title,doi,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,linestretch,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,keep-source,keep-hidden,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,page-layout,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,copyright,license,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citation-location,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-location,toc-title,toc-expand,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_layout$|^pageLayout$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":73458,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?html4([-+].+)?$":{"_internalId":76164,"type":"anyOf","anyOf":[{"_internalId":76162,"type":"object","description":"be an object","properties":{"eval":{"_internalId":75959,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":75960,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":75961,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":75962,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":75963,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":75964,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":75965,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":75966,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":75967,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":75968,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":75969,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":75970,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":75971,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":75972,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":75973,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":75974,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":75975,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":75976,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":75977,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":75978,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":75979,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":75980,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":75981,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":75982,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"doi":{"_internalId":75983,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"order":{"_internalId":75984,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":75985,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":75986,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":75987,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":75988,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":75989,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":75990,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":75991,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":75992,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":75993,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":75994,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":75995,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":75996,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":75997,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":75998,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":75999,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"comments":{"_internalId":76000,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":76001,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":76002,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":76003,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":76004,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":76005,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":76006,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":76007,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":76008,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":76009,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":76010,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":76011,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":76012,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":76013,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":76014,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":76015,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":76016,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":76017,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":76018,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":76019,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":76020,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":76021,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":76022,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":76023,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":76024,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":76025,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":76026,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"footnotes-hover":{"_internalId":76027,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":76028,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":76029,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":76030,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":76030,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":76031,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":76032,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":76033,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":76034,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":76035,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":76036,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":76037,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":76038,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":76039,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":76040,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":76041,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":76042,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":76043,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":76044,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"keep-source":{"_internalId":76045,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":76046,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"output-divs":{"_internalId":76047,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":76048,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":76049,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":76050,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":76051,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":76052,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":76053,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":76054,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":76055,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":76056,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":76057,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":76058,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":76059,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":76060,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":76061,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"page-layout":{"_internalId":76062,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"grid":{"_internalId":76063,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":76064,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":76065,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":76066,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":76067,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":76068,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":76069,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":76070,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":76071,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":76072,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":76073,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":76074,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"lightbox":{"_internalId":76075,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":76076,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":76077,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":76078,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":76079,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":76080,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":76081,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":76082,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-view":{"_internalId":76083,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":76084,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":76085,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":76086,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":76087,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":76088,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":76089,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"copyright":{"_internalId":76090,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"license":{"_internalId":76091,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"pagetitle":{"_internalId":76092,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":76093,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":76094,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":76095,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":76096,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":76097,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":76098,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":76099,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":76100,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":76101,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":76102,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":76103,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":76104,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":76105,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":76106,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":76107,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":76108,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":76109,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":76110,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":76111,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":76112,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":76113,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":76114,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":76115,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":76116,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":76117,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":76118,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":76119,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":76120,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":76121,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"citeproc":{"_internalId":76122,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":76123,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":76124,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":76124,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":76125,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":76126,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":76127,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":76128,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":76129,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":76130,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":76131,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":76132,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":76133,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":76134,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":76135,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":76136,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":76137,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":76138,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":76139,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":76140,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":76141,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":76142,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":76143,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":76144,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":76145,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":76146,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":76147,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":76148,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":76148,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":76149,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":76150,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":76151,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":76152,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"search":{"_internalId":76153,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":76154,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":76155,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":76156,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":76157,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":76158,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":76159,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":76160,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":76161,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,abstract,abstract-title,doi,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,linestretch,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,keep-source,keep-hidden,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,page-layout,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,copyright,license,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citation-location,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-location,toc-title,toc-expand,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_layout$|^pageLayout$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":76163,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?html5([-+].+)?$":{"_internalId":78869,"type":"anyOf","anyOf":[{"_internalId":78867,"type":"object","description":"be an object","properties":{"eval":{"_internalId":78664,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":78665,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":78666,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":78667,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":78668,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":78669,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":78670,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":78671,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":78672,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":78673,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":78674,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":78675,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":78676,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":78677,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":78678,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":78679,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":78680,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":78681,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":78682,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":78683,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":78684,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":78685,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":78686,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":78687,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"doi":{"_internalId":78688,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"order":{"_internalId":78689,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":78690,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":78691,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":78692,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":78693,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":78694,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":78695,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":78696,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":78697,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":78698,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":78699,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":78700,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":78701,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":78702,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":78703,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":78704,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"comments":{"_internalId":78705,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":78706,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":78707,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":78708,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":78709,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":78710,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":78711,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":78712,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":78713,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":78714,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":78715,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":78716,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":78717,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":78718,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":78719,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":78720,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":78721,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":78722,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":78723,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":78724,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":78725,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":78726,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":78727,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":78728,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":78729,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":78730,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":78731,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"footnotes-hover":{"_internalId":78732,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":78733,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":78734,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":78735,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":78735,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":78736,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":78737,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":78738,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":78739,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":78740,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":78741,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":78742,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":78743,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":78744,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":78745,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":78746,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":78747,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":78748,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":78749,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"keep-source":{"_internalId":78750,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":78751,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"output-divs":{"_internalId":78752,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":78753,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":78754,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":78755,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":78756,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":78757,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":78758,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":78759,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":78760,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":78761,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":78762,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":78763,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":78764,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":78765,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":78766,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"page-layout":{"_internalId":78767,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"grid":{"_internalId":78768,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":78769,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":78770,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":78771,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":78772,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":78773,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":78774,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":78775,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":78776,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":78777,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":78778,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":78779,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"lightbox":{"_internalId":78780,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":78781,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":78782,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":78783,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":78784,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":78785,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":78786,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":78787,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-view":{"_internalId":78788,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":78789,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":78790,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":78791,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":78792,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":78793,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":78794,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"copyright":{"_internalId":78795,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"license":{"_internalId":78796,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"pagetitle":{"_internalId":78797,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":78798,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":78799,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":78800,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":78801,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":78802,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":78803,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":78804,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":78805,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":78806,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":78807,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":78808,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":78809,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":78810,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":78811,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":78812,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":78813,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":78814,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":78815,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":78816,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":78817,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":78818,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":78819,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":78820,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":78821,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":78822,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":78823,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":78824,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":78825,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":78826,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"citeproc":{"_internalId":78827,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":78828,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":78829,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":78829,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":78830,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":78831,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":78832,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":78833,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":78834,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":78835,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":78836,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":78837,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":78838,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":78839,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":78840,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":78841,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":78842,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":78843,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":78844,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":78845,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":78846,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":78847,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":78848,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":78849,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":78850,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":78851,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":78852,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":78853,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":78853,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":78854,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":78855,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":78856,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":78857,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"search":{"_internalId":78858,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":78859,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":78860,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":78861,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":78862,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":78863,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":78864,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":78865,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":78866,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,abstract,abstract-title,doi,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,linestretch,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,keep-source,keep-hidden,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,page-layout,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,copyright,license,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citation-location,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-location,toc-title,toc-expand,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_layout$|^pageLayout$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":78868,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?icml([-+].+)?$":{"_internalId":81467,"type":"anyOf","anyOf":[{"_internalId":81465,"type":"object","description":"be an object","properties":{"eval":{"_internalId":81369,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":81370,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":81371,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":81372,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":81373,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":81374,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":81375,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":81376,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":81377,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":81378,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":81379,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":81380,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":81381,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":81382,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":81383,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":81384,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":81385,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":81386,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":81387,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":81388,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":81389,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":81390,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":81391,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":81392,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":81393,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":81394,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":81395,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":81396,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":81397,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":81398,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":81399,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":81400,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":81401,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":81402,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":81403,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":81403,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":81404,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":81405,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":81406,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":81407,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":81408,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":81409,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":81410,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":81411,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":81412,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":81413,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":81414,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":81415,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":81416,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":81417,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":81418,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":81419,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":81420,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":81421,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":81422,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":81423,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":81424,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":81425,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":81426,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":81427,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":81428,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":81429,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":81430,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":81431,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":81432,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":81433,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":81434,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":81435,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":81436,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":81437,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":81438,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":81439,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":81440,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":81440,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":81441,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":81442,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":81443,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":81444,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":81445,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":81446,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":81447,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":81448,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":81449,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":81450,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":81451,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":81452,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":81453,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":81454,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":81455,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":81456,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":81457,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":81458,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":81459,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":81460,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":81461,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":81462,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":81463,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":81463,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":81464,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":81466,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?ipynb([-+].+)?$":{"_internalId":84059,"type":"anyOf","anyOf":[{"_internalId":84057,"type":"object","description":"be an object","properties":{"eval":{"_internalId":83967,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":83968,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":83969,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":83970,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":83971,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":83972,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":83973,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":83974,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":83975,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":83976,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":83977,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":83978,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":83979,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":83980,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":83981,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":83982,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":83983,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":83984,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":83985,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":83986,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":83987,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":83988,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":83989,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":83990,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":83991,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":83992,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":83993,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":83994,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":83995,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":83996,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":83997,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":83998,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":83999,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":84000,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":84001,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":84001,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":84002,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":84003,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":84004,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":84005,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":84006,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":84007,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":84008,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":84009,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":84010,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":84011,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":84012,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":84013,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":84014,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":84015,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":84016,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":84017,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":84018,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":84019,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":84020,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":84021,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":84022,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":84023,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":84024,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":84025,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":84026,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"markdown-headings":{"_internalId":84027,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"ipynb-output":{"_internalId":84028,"type":"ref","$ref":"quarto-resource-document-options-ipynb-output","description":"quarto-resource-document-options-ipynb-output"},"quarto-required":{"_internalId":84029,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":84030,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":84031,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":84032,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":84033,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":84034,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":84034,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":84035,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":84036,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"filters":{"_internalId":84037,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":84038,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":84039,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":84040,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":84041,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":84042,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":84043,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":84044,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":84045,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":84046,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":84047,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":84048,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":84049,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":84050,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":84051,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":84052,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":84053,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":84054,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":84055,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":84055,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":84056,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,markdown-headings,ipynb-output,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^markdown_headings$|^markdownHeadings$|^ipynb_output$|^ipynbOutput$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":84058,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats([-+].+)?$":{"_internalId":86660,"type":"anyOf","anyOf":[{"_internalId":86658,"type":"object","description":"be an object","properties":{"eval":{"_internalId":86559,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":86560,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":86561,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":86562,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":86563,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":86564,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":86565,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":86566,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":86567,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":86568,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":86569,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":86624,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":86571,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":86572,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":86573,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":86574,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":86575,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":86576,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":86577,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":86578,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":86579,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":86580,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":86581,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":86582,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":86583,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":86584,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":86585,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":86586,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":86587,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":86588,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":86589,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":86590,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":86591,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":86592,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":86593,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":86594,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":86595,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":86596,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":86597,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":86598,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":86599,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":86600,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":86600,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":86601,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":86602,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":86603,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":86604,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":86605,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":86606,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":86607,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":86608,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":86609,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":86610,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":86611,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":86612,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":86613,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":86614,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":86615,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":86616,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":86617,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":86618,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":86619,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":86620,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":86621,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":86622,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":86623,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":86625,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":86626,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":86627,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":86628,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":86629,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":86630,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":86631,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":86632,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":86633,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":86634,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":86635,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":86635,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":86636,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":86637,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":86638,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":86639,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":86640,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":86641,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":86642,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":86643,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":86644,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":86645,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":86646,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":86647,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":86648,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":86649,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":86650,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":86651,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":86652,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":86653,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":86654,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":86655,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":86656,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":86657,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":86659,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats_archiving([-+].+)?$":{"_internalId":89261,"type":"anyOf","anyOf":[{"_internalId":89259,"type":"object","description":"be an object","properties":{"eval":{"_internalId":89160,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":89161,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":89162,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":89163,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":89164,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":89165,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":89166,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":89167,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":89168,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":89169,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":89170,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":89225,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":89172,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":89173,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":89174,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":89175,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":89176,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":89177,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":89178,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":89179,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":89180,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":89181,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":89182,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":89183,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":89184,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":89185,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":89186,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":89187,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":89188,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":89189,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":89190,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":89191,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":89192,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":89193,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":89194,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":89195,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":89196,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":89197,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":89198,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":89199,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":89200,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":89201,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":89201,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":89202,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":89203,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":89204,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":89205,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":89206,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":89207,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":89208,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":89209,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":89210,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":89211,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":89212,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":89213,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":89214,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":89215,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":89216,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":89217,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":89218,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":89219,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":89220,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":89221,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":89222,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":89223,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":89224,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":89226,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":89227,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":89228,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":89229,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":89230,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":89231,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":89232,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":89233,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":89234,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":89235,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":89236,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":89236,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":89237,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":89238,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":89239,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":89240,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":89241,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":89242,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":89243,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":89244,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":89245,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":89246,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":89247,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":89248,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":89249,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":89250,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":89251,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":89252,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":89253,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":89254,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":89255,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":89256,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":89257,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":89258,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":89260,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats_articleauthoring([-+].+)?$":{"_internalId":91862,"type":"anyOf","anyOf":[{"_internalId":91860,"type":"object","description":"be an object","properties":{"eval":{"_internalId":91761,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":91762,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":91763,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":91764,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":91765,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":91766,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":91767,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":91768,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":91769,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":91770,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":91771,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":91826,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":91773,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":91774,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":91775,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":91776,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":91777,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":91778,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":91779,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":91780,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":91781,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":91782,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":91783,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":91784,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":91785,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":91786,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":91787,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":91788,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":91789,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":91790,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":91791,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":91792,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":91793,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":91794,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":91795,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":91796,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":91797,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":91798,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":91799,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":91800,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":91801,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":91802,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":91802,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":91803,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":91804,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":91805,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":91806,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":91807,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":91808,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":91809,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":91810,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":91811,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":91812,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":91813,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":91814,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":91815,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":91816,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":91817,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":91818,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":91819,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":91820,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":91821,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":91822,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":91823,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":91824,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":91825,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":91827,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":91828,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":91829,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":91830,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":91831,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":91832,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":91833,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":91834,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":91835,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":91836,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":91837,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":91837,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":91838,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":91839,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":91840,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":91841,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":91842,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":91843,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":91844,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":91845,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":91846,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":91847,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":91848,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":91849,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":91850,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":91851,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":91852,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":91853,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":91854,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":91855,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":91856,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":91857,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":91858,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":91859,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":91861,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats_publishing([-+].+)?$":{"_internalId":94463,"type":"anyOf","anyOf":[{"_internalId":94461,"type":"object","description":"be an object","properties":{"eval":{"_internalId":94362,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":94363,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":94364,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":94365,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":94366,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":94367,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":94368,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":94369,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":94370,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":94371,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":94372,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":94427,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":94374,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":94375,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":94376,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":94377,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":94378,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":94379,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":94380,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":94381,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":94382,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":94383,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":94384,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":94385,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":94386,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":94387,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":94388,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":94389,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":94390,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":94391,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":94392,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":94393,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":94394,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":94395,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":94396,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":94397,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":94398,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":94399,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":94400,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":94401,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":94402,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":94403,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":94403,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":94404,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":94405,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":94406,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":94407,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":94408,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":94409,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":94410,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":94411,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":94412,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":94413,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":94414,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":94415,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":94416,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":94417,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":94418,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":94419,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":94420,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":94421,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":94422,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":94423,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":94424,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":94425,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":94426,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":94428,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":94429,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":94430,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":94431,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":94432,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":94433,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":94434,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":94435,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":94436,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":94437,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":94438,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":94438,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":94439,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":94440,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":94441,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":94442,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":94443,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":94444,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":94445,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":94446,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":94447,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":94448,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":94449,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":94450,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":94451,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":94452,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":94453,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":94454,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":94455,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":94456,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":94457,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":94458,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":94459,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":94460,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":94462,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jira([-+].+)?$":{"_internalId":97061,"type":"anyOf","anyOf":[{"_internalId":97059,"type":"object","description":"be an object","properties":{"eval":{"_internalId":96963,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":96964,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":96965,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":96966,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":96967,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":96968,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":96969,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":96970,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":96971,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":96972,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":96973,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":96974,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":96975,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":96976,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":96977,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":96978,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":96979,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":96980,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":96981,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":96982,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":96983,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":96984,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":96985,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":96986,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":96987,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":96988,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":96989,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":96990,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":96991,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":96992,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":96993,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":96994,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":96995,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":96996,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":96997,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":96997,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":96998,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":96999,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":97000,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":97001,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":97002,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":97003,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":97004,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":97005,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":97006,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":97007,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":97008,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":97009,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":97010,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":97011,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":97012,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":97013,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":97014,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":97015,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":97016,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":97017,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":97018,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":97019,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":97020,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":97021,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":97022,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":97023,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":97024,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":97025,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":97026,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":97027,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":97028,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":97029,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":97030,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":97031,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":97032,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":97033,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":97034,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":97034,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":97035,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":97036,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":97037,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":97038,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":97039,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":97040,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":97041,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":97042,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":97043,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":97044,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":97045,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":97046,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":97047,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":97048,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":97049,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":97050,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":97051,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":97052,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":97053,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":97054,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":97055,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":97056,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":97057,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":97057,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":97058,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":97060,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?json([-+].+)?$":{"_internalId":99659,"type":"anyOf","anyOf":[{"_internalId":99657,"type":"object","description":"be an object","properties":{"eval":{"_internalId":99561,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":99562,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":99563,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":99564,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":99565,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":99566,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":99567,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":99568,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":99569,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":99570,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":99571,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":99572,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":99573,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":99574,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":99575,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":99576,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":99577,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":99578,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":99579,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":99580,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":99581,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":99582,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":99583,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":99584,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":99585,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":99586,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":99587,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":99588,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":99589,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":99590,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":99591,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":99592,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":99593,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":99594,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":99595,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":99595,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":99596,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":99597,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":99598,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":99599,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":99600,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":99601,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":99602,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":99603,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":99604,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":99605,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":99606,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":99607,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":99608,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":99609,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":99610,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":99611,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":99612,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":99613,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":99614,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":99615,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":99616,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":99617,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":99618,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":99619,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":99620,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":99621,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":99622,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":99623,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":99624,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":99625,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":99626,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":99627,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":99628,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":99629,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":99630,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":99631,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":99632,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":99632,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":99633,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":99634,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":99635,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":99636,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":99637,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":99638,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":99639,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":99640,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":99641,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":99642,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":99643,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":99644,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":99645,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":99646,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":99647,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":99648,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":99649,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":99650,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":99651,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":99652,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":99653,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":99654,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":99655,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":99655,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":99656,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":99658,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?latex([-+].+)?$":{"_internalId":102331,"type":"anyOf","anyOf":[{"_internalId":102329,"type":"object","description":"be an object","properties":{"eval":{"_internalId":102159,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":102160,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":102161,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":102162,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":102163,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":102164,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":102165,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":102166,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":102167,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":102168,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":102169,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":102170,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":102171,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":102172,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":102173,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":102174,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":102175,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":102176,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":102177,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":102178,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"thanks":{"_internalId":102179,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":102180,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":102181,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":102182,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-block-border-left":{"_internalId":102183,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":102184,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":102185,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":102186,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":102187,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":102188,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":102189,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"linkcolor":{"_internalId":102190,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"filecolor":{"_internalId":102191,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":102192,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":102193,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":102194,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":102195,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"crossref":{"_internalId":102196,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":102197,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":102198,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":102199,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":102200,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":102201,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":102202,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":102203,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":102204,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":102205,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":102206,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":102207,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":102208,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":102209,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":102210,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":102211,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":102212,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":102213,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":102214,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":102215,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":102216,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":102217,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":102218,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":102219,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":102220,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":102221,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":102222,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":102223,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":102224,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":102225,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":102226,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":102227,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":102228,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"CJKoptions":{"_internalId":102229,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":102230,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"linestretch":{"_internalId":102231,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"links-as-notes":{"_internalId":102232,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"funding":{"_internalId":102233,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":102234,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":102234,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":102235,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":102236,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":102237,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":102238,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":102239,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":102240,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":102241,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":102242,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":102243,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":102244,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":102245,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":102246,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":102247,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":102248,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":102249,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":102250,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":102251,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":102252,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":102253,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":102254,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":102255,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":102256,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":102257,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":102258,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":102259,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":102260,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":102261,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"documentclass":{"_internalId":102262,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":102263,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":102264,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":102265,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"grid":{"_internalId":102266,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":102267,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":102268,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":102269,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":102270,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":102271,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":102272,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":102273,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":102274,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"keywords":{"_internalId":102275,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":102276,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"title-meta":{"_internalId":102277,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"author-meta":{"_internalId":102278,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":102279,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":102280,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":102281,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":102282,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"shift-heading-level-by":{"_internalId":102283,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":102284,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":102285,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":102286,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":102287,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":102288,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"quarto-required":{"_internalId":102289,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":102290,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":102291,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"cite-method":{"_internalId":102292,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":102293,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":102294,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":102295,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":102296,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"biblio-title":{"_internalId":102297,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":102298,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":102299,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":102300,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":102301,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":102302,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":102303,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":102303,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":102304,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":102305,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":102306,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":102307,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":102308,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":102309,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":102310,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":102311,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":102312,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":102313,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":102314,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":102315,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":102316,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":102317,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":102318,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":102319,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":102320,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"use-rsvg-convert":{"_internalId":102321,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"df-print":{"_internalId":102322,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":102323,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":102324,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":102324,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":102325,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":102326,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"lof":{"_internalId":102327,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":102328,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,thanks,order,citation,code-annotations,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,linkcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,CJKoptions,microtypeoptions,linestretch,links-as-notes,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,documentclass,classoption,pagestyle,papersize,grid,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,keywords,subject,title-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,shift-heading-level-by,top-level-division,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,quarto-required,bibliography,csl,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,use-rsvg-convert,df-print,ascii,toc,table-of-contents,toc-depth,toc-title,lof,lot","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^cjkmainfont$|^cjkmainfont$|^cjkoptions$|^cjkoptions$|^links_as_notes$|^linksAsNotes$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^title_meta$|^titleMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":102330,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?man([-+].+)?$":{"_internalId":104932,"type":"anyOf","anyOf":[{"_internalId":104930,"type":"object","description":"be an object","properties":{"eval":{"_internalId":104831,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":104832,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":104833,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":104834,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":104835,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":104836,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":104837,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":104838,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":104839,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":104840,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":104841,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":104842,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":104843,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":104844,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":104845,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":104846,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":104847,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":104848,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":104849,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":104850,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":104851,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":104852,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":104853,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":104854,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":104855,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":104856,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":104857,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":104858,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":104859,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":104860,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":104861,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":104862,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":104863,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"adjusting":{"_internalId":104864,"type":"ref","$ref":"quarto-resource-document-formatting-adjusting","description":"quarto-resource-document-formatting-adjusting"},"hyphenate":{"_internalId":104865,"type":"ref","$ref":"quarto-resource-document-formatting-hyphenate","description":"quarto-resource-document-formatting-hyphenate"},"funding":{"_internalId":104866,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":104867,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":104867,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":104868,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":104869,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":104870,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":104871,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":104872,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":104873,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":104874,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":104875,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":104876,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":104877,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":104878,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":104879,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":104880,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":104881,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":104882,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":104883,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":104884,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":104885,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":104886,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":104887,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":104888,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":104889,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"footer":{"_internalId":104890,"type":"ref","$ref":"quarto-resource-document-includes-footer","description":"quarto-resource-document-includes-footer"},"header":{"_internalId":104891,"type":"ref","$ref":"quarto-resource-document-includes-header","description":"quarto-resource-document-includes-header"},"metadata-file":{"_internalId":104892,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":104893,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":104894,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":104895,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":104896,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":104897,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":104898,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":104899,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":104900,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"section":{"_internalId":104901,"type":"ref","$ref":"quarto-resource-document-options-section","description":"quarto-resource-document-options-section"},"quarto-required":{"_internalId":104902,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":104903,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":104904,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":104905,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":104906,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":104907,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":104907,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":104908,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":104909,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":104910,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":104911,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":104912,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":104913,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":104914,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":104915,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":104916,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":104917,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":104918,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":104919,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":104920,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":104921,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":104922,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":104923,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":104924,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":104925,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":104926,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":104927,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":104928,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":104929,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,adjusting,hyphenate,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,footer,header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,section,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":104931,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown([-+].+)?$":{"_internalId":107537,"type":"anyOf","anyOf":[{"_internalId":107535,"type":"object","description":"be an object","properties":{"eval":{"_internalId":107432,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":107433,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":107434,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":107435,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":107436,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":107437,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":107438,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":107439,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":107440,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":107441,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":107442,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":107443,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":107444,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":107445,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":107446,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":107447,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":107448,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":107449,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":107450,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":107451,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":107452,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":107453,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":107454,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":107455,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":107456,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":107457,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":107458,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":107459,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":107460,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":107461,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":107462,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":107463,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":107464,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":107465,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":107466,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":107467,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":107467,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":107468,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":107469,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":107470,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":107471,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":107472,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":107473,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":107474,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":107475,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":107476,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":107477,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":107478,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":107479,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":107480,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":107481,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":107482,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":107483,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":107484,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":107485,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":107486,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":107487,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":107488,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":107489,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":107490,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":107491,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":107492,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":107493,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":107494,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":107495,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":107496,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":107497,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":107498,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":107499,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":107500,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":107501,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":107502,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":107503,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":107504,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":107505,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":107506,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":107507,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":107508,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":107508,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":107509,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":107510,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":107511,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":107512,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":107513,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":107514,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":107515,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":107516,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":107517,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":107518,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":107519,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":107520,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":107521,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":107522,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":107523,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":107524,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":107525,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":107526,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":107527,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":107528,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":107529,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":107530,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":107531,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":107532,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":107533,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":107533,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":107534,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":107536,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_github([-+].+)?$":{"_internalId":110135,"type":"anyOf","anyOf":[{"_internalId":110133,"type":"object","description":"be an object","properties":{"eval":{"_internalId":110037,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":110038,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":110039,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":110040,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":110041,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":110042,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":110043,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":110044,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":110045,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":110046,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":110047,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":110048,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":110049,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":110050,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":110051,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":110052,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":110053,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":110054,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":110055,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":110056,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":110057,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":110058,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":110059,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":110060,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":110061,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":110062,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":110063,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":110064,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":110065,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":110066,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":110067,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":110068,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":110069,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":110070,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":110071,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":110071,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":110072,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":110073,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":110074,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":110075,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":110076,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":110077,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":110078,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":110079,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":110080,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":110081,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":110082,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":110083,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":110084,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":110085,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":110086,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":110087,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":110088,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":110089,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":110090,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":110091,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":110092,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":110093,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":110094,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":110095,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":110096,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":110097,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":110098,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":110099,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":110100,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":110101,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":110102,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":110103,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":110104,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":110105,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":110106,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":110107,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":110108,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":110108,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":110109,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":110110,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":110111,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":110112,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":110113,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":110114,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":110115,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":110116,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":110117,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":110118,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":110119,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":110120,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":110121,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":110122,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":110123,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":110124,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":110125,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":110126,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":110127,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":110128,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":110129,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":110130,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":110131,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":110131,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":110132,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":110134,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_mmd([-+].+)?$":{"_internalId":112733,"type":"anyOf","anyOf":[{"_internalId":112731,"type":"object","description":"be an object","properties":{"eval":{"_internalId":112635,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":112636,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":112637,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":112638,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":112639,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":112640,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":112641,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":112642,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":112643,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":112644,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":112645,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":112646,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":112647,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":112648,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":112649,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":112650,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":112651,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":112652,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":112653,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":112654,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":112655,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":112656,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":112657,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":112658,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":112659,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":112660,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":112661,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":112662,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":112663,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":112664,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":112665,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":112666,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":112667,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":112668,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":112669,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":112669,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":112670,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":112671,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":112672,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":112673,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":112674,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":112675,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":112676,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":112677,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":112678,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":112679,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":112680,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":112681,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":112682,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":112683,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":112684,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":112685,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":112686,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":112687,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":112688,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":112689,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":112690,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":112691,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":112692,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":112693,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":112694,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":112695,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":112696,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":112697,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":112698,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":112699,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":112700,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":112701,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":112702,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":112703,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":112704,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":112705,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":112706,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":112706,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":112707,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":112708,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":112709,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":112710,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":112711,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":112712,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":112713,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":112714,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":112715,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":112716,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":112717,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":112718,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":112719,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":112720,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":112721,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":112722,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":112723,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":112724,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":112725,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":112726,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":112727,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":112728,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":112729,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":112729,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":112730,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":112732,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_phpextra([-+].+)?$":{"_internalId":115331,"type":"anyOf","anyOf":[{"_internalId":115329,"type":"object","description":"be an object","properties":{"eval":{"_internalId":115233,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":115234,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":115235,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":115236,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":115237,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":115238,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":115239,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":115240,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":115241,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":115242,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":115243,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":115244,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":115245,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":115246,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":115247,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":115248,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":115249,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":115250,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":115251,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":115252,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":115253,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":115254,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":115255,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":115256,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":115257,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":115258,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":115259,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":115260,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":115261,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":115262,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":115263,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":115264,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":115265,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":115266,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":115267,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":115267,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":115268,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":115269,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":115270,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":115271,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":115272,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":115273,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":115274,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":115275,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":115276,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":115277,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":115278,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":115279,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":115280,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":115281,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":115282,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":115283,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":115284,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":115285,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":115286,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":115287,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":115288,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":115289,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":115290,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":115291,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":115292,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":115293,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":115294,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":115295,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":115296,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":115297,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":115298,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":115299,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":115300,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":115301,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":115302,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":115303,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":115304,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":115304,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":115305,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":115306,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":115307,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":115308,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":115309,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":115310,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":115311,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":115312,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":115313,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":115314,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":115315,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":115316,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":115317,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":115318,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":115319,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":115320,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":115321,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":115322,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":115323,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":115324,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":115325,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":115326,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":115327,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":115327,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":115328,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":115330,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_strict([-+].+)?$":{"_internalId":117929,"type":"anyOf","anyOf":[{"_internalId":117927,"type":"object","description":"be an object","properties":{"eval":{"_internalId":117831,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":117832,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":117833,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":117834,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":117835,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":117836,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":117837,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":117838,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":117839,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":117840,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":117841,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":117842,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":117843,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":117844,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":117845,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":117846,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":117847,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":117848,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":117849,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":117850,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":117851,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":117852,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":117853,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":117854,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":117855,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":117856,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":117857,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":117858,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":117859,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":117860,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":117861,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":117862,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":117863,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":117864,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":117865,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":117865,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":117866,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":117867,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":117868,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":117869,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":117870,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":117871,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":117872,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":117873,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":117874,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":117875,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":117876,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":117877,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":117878,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":117879,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":117880,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":117881,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":117882,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":117883,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":117884,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":117885,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":117886,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":117887,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":117888,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":117889,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":117890,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":117891,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":117892,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":117893,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":117894,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":117895,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":117896,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":117897,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":117898,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":117899,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":117900,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":117901,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":117902,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":117902,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":117903,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":117904,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":117905,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":117906,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":117907,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":117908,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":117909,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":117910,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":117911,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":117912,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":117913,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":117914,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":117915,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":117916,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":117917,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":117918,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":117919,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":117920,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":117921,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":117922,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":117923,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":117924,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":117925,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":117925,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":117926,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":117928,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markua([-+].+)?$":{"_internalId":120534,"type":"anyOf","anyOf":[{"_internalId":120532,"type":"object","description":"be an object","properties":{"eval":{"_internalId":120429,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":120430,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":120431,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":120432,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":120433,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":120434,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":120435,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":120436,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":120437,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":120438,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":120439,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":120440,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":120441,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":120442,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":120443,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":120444,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":120445,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":120446,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":120447,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":120448,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":120449,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":120450,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":120451,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":120452,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":120453,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":120454,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":120455,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":120456,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":120457,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":120458,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":120459,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":120460,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":120461,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":120462,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":120463,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":120464,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":120464,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":120465,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":120466,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":120467,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":120468,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":120469,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":120470,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":120471,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":120472,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":120473,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":120474,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":120475,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":120476,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":120477,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":120478,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":120479,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":120480,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":120481,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":120482,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":120483,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":120484,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":120485,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":120486,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":120487,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":120488,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":120489,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":120490,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":120491,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":120492,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":120493,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":120494,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":120495,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":120496,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":120497,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":120498,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":120499,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":120500,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":120501,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":120502,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":120503,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":120504,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":120505,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":120505,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":120506,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":120507,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":120508,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":120509,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":120510,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":120511,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":120512,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":120513,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":120514,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":120515,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":120516,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":120517,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":120518,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":120519,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":120520,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":120521,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":120522,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":120523,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":120524,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":120525,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":120526,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":120527,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":120528,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":120529,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":120530,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":120530,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":120531,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":120533,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?mediawiki([-+].+)?$":{"_internalId":123132,"type":"anyOf","anyOf":[{"_internalId":123130,"type":"object","description":"be an object","properties":{"eval":{"_internalId":123034,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":123035,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":123036,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":123037,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":123038,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":123039,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":123040,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":123041,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":123042,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":123043,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":123044,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":123045,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":123046,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":123047,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":123048,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":123049,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":123050,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":123051,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":123052,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":123053,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":123054,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":123055,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":123056,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":123057,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":123058,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":123059,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":123060,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":123061,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":123062,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":123063,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":123064,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":123065,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":123066,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":123067,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":123068,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":123068,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":123069,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":123070,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":123071,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":123072,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":123073,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":123074,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":123075,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":123076,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":123077,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":123078,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":123079,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":123080,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":123081,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":123082,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":123083,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":123084,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":123085,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":123086,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":123087,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":123088,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":123089,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":123090,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":123091,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":123092,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":123093,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":123094,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":123095,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":123096,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":123097,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":123098,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":123099,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":123100,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":123101,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":123102,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":123103,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":123104,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":123105,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":123105,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":123106,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":123107,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":123108,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":123109,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":123110,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":123111,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":123112,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":123113,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":123114,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":123115,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":123116,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":123117,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":123118,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":123119,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":123120,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":123121,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":123122,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":123123,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":123124,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":123125,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":123126,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":123127,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":123128,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":123128,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":123129,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":123131,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?ms([-+].+)?$":{"_internalId":125744,"type":"anyOf","anyOf":[{"_internalId":125742,"type":"object","description":"be an object","properties":{"eval":{"_internalId":125632,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":125633,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":125634,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"output":{"_internalId":125635,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":125636,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":125637,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":125638,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":125639,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":125640,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":125641,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":125642,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":125643,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":125644,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":125645,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":125646,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":125647,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":125648,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":125649,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":125650,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":125651,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":125652,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":125653,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":125654,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":125655,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":125656,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":125657,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":125658,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":125659,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":125660,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":125661,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":125662,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":125663,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":125664,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":125665,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":125666,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":125667,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":125668,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":125669,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":125670,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fontfamily":{"_internalId":125671,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"pointsize":{"_internalId":125672,"type":"ref","$ref":"quarto-resource-document-fonts-pointsize","description":"quarto-resource-document-fonts-pointsize"},"lineheight":{"_internalId":125673,"type":"ref","$ref":"quarto-resource-document-fonts-lineheight","description":"quarto-resource-document-fonts-lineheight"},"funding":{"_internalId":125674,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":125675,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":125675,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":125676,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":125677,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":125678,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":125679,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":125680,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":125681,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":125682,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":125683,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":125684,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":125685,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":125686,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":125687,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":125688,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":125689,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":125690,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":125691,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":125692,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":125693,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":125694,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":125695,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":125696,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":125697,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":125698,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":125699,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":125700,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":125701,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":125702,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":125703,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"indent":{"_internalId":125704,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"number-sections":{"_internalId":125705,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":125706,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":125707,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":125708,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":125709,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":125710,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"quarto-required":{"_internalId":125711,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":125712,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":125713,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":125714,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":125715,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":125716,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":125716,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":125717,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":125718,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":125719,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":125720,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":125721,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":125722,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":125723,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":125724,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":125725,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":125726,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":125727,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":125728,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":125729,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":125730,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":125731,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":125732,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":125733,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":125734,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":125735,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":125736,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":125737,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":125738,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"ascii":{"_internalId":125739,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":125740,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":125740,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":125741,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,output,warning,error,include,title,date,date-format,author,abstract,order,citation,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fontfamily,pointsize,lineheight,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,indent,number-sections,shift-heading-level-by,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":125743,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?muse([-+].+)?$":{"_internalId":128344,"type":"anyOf","anyOf":[{"_internalId":128342,"type":"object","description":"be an object","properties":{"eval":{"_internalId":128244,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":128245,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":128246,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":128247,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":128248,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":128249,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":128250,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":128251,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":128252,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":128253,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":128254,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":128255,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":128256,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":128257,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":128258,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":128259,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":128260,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":128261,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":128262,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":128263,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":128264,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":128265,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":128266,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":128267,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":128268,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":128269,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":128270,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":128271,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":128272,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":128273,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":128274,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":128275,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":128276,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":128277,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":128278,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":128279,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":128280,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":128280,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":128281,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":128282,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":128283,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":128284,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":128285,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":128286,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":128287,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":128288,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":128289,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":128290,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":128291,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":128292,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":128293,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":128294,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":128295,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":128296,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":128297,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":128298,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":128299,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":128300,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":128301,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":128302,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":128303,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":128304,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":128305,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":128306,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":128307,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":128308,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":128309,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":128310,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":128311,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":128312,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":128313,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":128314,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":128315,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":128316,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":128317,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":128317,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":128318,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":128319,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":128320,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":128321,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":128322,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":128323,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":128324,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":128325,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":128326,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":128327,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":128328,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":128329,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":128330,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":128331,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":128332,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":128333,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":128334,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":128335,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":128336,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":128337,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":128338,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":128339,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":128340,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":128340,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":128341,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,subtitle,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":128343,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?native([-+].+)?$":{"_internalId":130942,"type":"anyOf","anyOf":[{"_internalId":130940,"type":"object","description":"be an object","properties":{"eval":{"_internalId":130844,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":130845,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":130846,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":130847,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":130848,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":130849,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":130850,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":130851,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":130852,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":130853,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":130854,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":130855,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":130856,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":130857,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":130858,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":130859,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":130860,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":130861,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":130862,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":130863,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":130864,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":130865,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":130866,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":130867,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":130868,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":130869,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":130870,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":130871,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":130872,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":130873,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":130874,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":130875,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":130876,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":130877,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":130878,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":130878,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":130879,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":130880,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":130881,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":130882,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":130883,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":130884,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":130885,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":130886,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":130887,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":130888,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":130889,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":130890,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":130891,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":130892,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":130893,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":130894,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":130895,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":130896,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":130897,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":130898,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":130899,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":130900,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":130901,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":130902,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":130903,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":130904,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":130905,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":130906,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":130907,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":130908,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":130909,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":130910,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":130911,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":130912,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":130913,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":130914,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":130915,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":130915,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":130916,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":130917,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":130918,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":130919,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":130920,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":130921,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":130922,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":130923,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":130924,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":130925,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":130926,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":130927,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":130928,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":130929,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":130930,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":130931,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":130932,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":130933,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":130934,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":130935,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":130936,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":130937,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":130938,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":130938,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":130939,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":130941,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?odt([-+].+)?$":{"_internalId":133545,"type":"anyOf","anyOf":[{"_internalId":133543,"type":"object","description":"be an object","properties":{"eval":{"_internalId":133442,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":133443,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":133444,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":133445,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":133446,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":133447,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":133448,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":133449,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":133450,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":133451,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":133452,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":133453,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":133454,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":133455,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":133456,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":133457,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":133458,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":133459,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":133460,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":133461,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":133462,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":133463,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":133464,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":133465,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":133466,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":133467,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":133468,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":133469,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":133470,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":133471,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":133472,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":133473,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":133474,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":133475,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":133476,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":133477,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":133478,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":133479,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":133479,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":133480,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":133481,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":133482,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":133483,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":133484,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":133485,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":133486,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":133487,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":133488,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":133489,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":133490,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":133491,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":133492,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":133493,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":133494,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":133495,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":133496,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":133497,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":133498,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":133499,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":133500,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":133501,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":133502,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":133503,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":133504,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":133505,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":133506,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"page-width":{"_internalId":133507,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":133508,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":133509,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":133510,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"description":{"_internalId":133511,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"number-sections":{"_internalId":133512,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":133513,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"reference-doc":{"_internalId":133514,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":133515,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":133516,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":133517,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":133518,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":133519,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":133520,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":133521,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":133521,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":133522,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":133523,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":133524,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":133525,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":133526,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":133527,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":133528,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":133529,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":133530,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":133531,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":133532,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":133533,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":133534,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":133535,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":133536,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":133537,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":133538,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":133539,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":133540,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":133540,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":133541,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":133542,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,subtitle,date,date-format,author,abstract,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,page-width,grid,keywords,subject,description,number-sections,shift-heading-level-by,reference-doc,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_width$|^pageWidth$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^reference_doc$|^referenceDoc$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":133544,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?opendocument([-+].+)?$":{"_internalId":136142,"type":"anyOf","anyOf":[{"_internalId":136140,"type":"object","description":"be an object","properties":{"eval":{"_internalId":136045,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":136046,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":136047,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":136048,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":136049,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":136050,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":136051,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":136052,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":136053,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":136054,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":136055,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":136056,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":136057,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":136058,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":136059,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":136060,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":136061,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":136062,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":136063,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":136064,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":136065,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":136066,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":136067,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":136068,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":136069,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":136070,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":136071,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":136072,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":136073,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":136074,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":136075,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":136076,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":136077,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":136078,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":136079,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":136080,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":136080,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":136081,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":136082,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":136083,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":136084,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":136085,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":136086,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":136087,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":136088,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":136089,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":136090,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":136091,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":136092,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":136093,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":136094,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":136095,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":136096,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":136097,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":136098,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":136099,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":136100,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":136101,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":136102,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":136103,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":136104,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":136105,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":136106,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":136107,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"page-width":{"_internalId":136108,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":136109,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":136110,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":136111,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":136112,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":136113,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":136114,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":136115,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":136116,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":136117,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":136118,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":136118,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":136119,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":136120,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":136121,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":136122,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":136123,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":136124,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":136125,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":136126,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":136127,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":136128,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":136129,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":136130,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":136131,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":136132,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":136133,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":136134,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":136135,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":136136,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":136137,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":136137,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":136138,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":136139,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,page-width,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_width$|^pageWidth$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":136141,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?opml([-+].+)?$":{"_internalId":138740,"type":"anyOf","anyOf":[{"_internalId":138738,"type":"object","description":"be an object","properties":{"eval":{"_internalId":138642,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":138643,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":138644,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":138645,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":138646,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":138647,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":138648,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":138649,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":138650,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":138651,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":138652,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":138653,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":138654,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":138655,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":138656,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":138657,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":138658,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":138659,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":138660,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":138661,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":138662,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":138663,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":138664,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":138665,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":138666,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":138667,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":138668,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":138669,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":138670,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":138671,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":138672,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":138673,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":138674,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":138675,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":138676,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":138676,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":138677,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":138678,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":138679,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":138680,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":138681,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":138682,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":138683,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":138684,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":138685,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":138686,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":138687,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":138688,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":138689,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":138690,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":138691,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":138692,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":138693,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":138694,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":138695,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":138696,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":138697,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":138698,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":138699,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":138700,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":138701,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":138702,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":138703,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":138704,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":138705,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":138706,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":138707,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":138708,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":138709,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":138710,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":138711,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":138712,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":138713,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":138713,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":138714,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":138715,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":138716,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":138717,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":138718,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":138719,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":138720,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":138721,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":138722,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":138723,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":138724,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":138725,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":138726,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":138727,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":138728,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":138729,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":138730,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":138731,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":138732,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":138733,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":138734,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":138735,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":138736,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":138736,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":138737,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":138739,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?org([-+].+)?$":{"_internalId":141338,"type":"anyOf","anyOf":[{"_internalId":141336,"type":"object","description":"be an object","properties":{"eval":{"_internalId":141240,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":141241,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":141242,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":141243,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":141244,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":141245,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":141246,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":141247,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":141248,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":141249,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":141250,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":141251,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":141252,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":141253,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":141254,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":141255,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":141256,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":141257,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":141258,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":141259,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":141260,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":141261,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":141262,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":141263,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":141264,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":141265,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":141266,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":141267,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":141268,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":141269,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":141270,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":141271,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":141272,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":141273,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":141274,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":141274,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":141275,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":141276,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":141277,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":141278,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":141279,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":141280,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":141281,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":141282,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":141283,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":141284,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":141285,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":141286,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":141287,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":141288,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":141289,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":141290,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":141291,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":141292,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":141293,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":141294,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":141295,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":141296,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":141297,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":141298,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":141299,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":141300,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":141301,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":141302,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":141303,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":141304,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":141305,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":141306,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":141307,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":141308,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":141309,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":141310,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":141311,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":141311,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":141312,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":141313,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":141314,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":141315,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":141316,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":141317,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":141318,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":141319,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":141320,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":141321,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":141322,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":141323,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":141324,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":141325,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":141326,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":141327,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":141328,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":141329,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":141330,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":141331,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":141332,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":141333,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":141334,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":141334,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":141335,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":141337,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?pdf([-+].+)?$":{"_internalId":144024,"type":"anyOf","anyOf":[{"_internalId":144022,"type":"object","description":"be an object","properties":{"eval":{"_internalId":143838,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":143839,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":143840,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":143841,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":143842,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":143843,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":143844,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":143845,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":143846,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":143847,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":143848,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":143849,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":143850,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":143851,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":143852,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":143853,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":143854,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":143855,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":143856,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":143857,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"thanks":{"_internalId":143858,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":143859,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":143860,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":143861,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-block-border-left":{"_internalId":143862,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":143863,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":143864,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":143865,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":143866,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":143867,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":143868,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"linkcolor":{"_internalId":143869,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"filecolor":{"_internalId":143870,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":143871,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":143872,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":143873,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":143874,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"crossref":{"_internalId":143875,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":143876,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":143877,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":143878,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":143879,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":143880,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":143881,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":143882,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":143883,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":143884,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":143885,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":143886,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":143887,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":143888,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":143889,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":143890,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":143891,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":143892,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":143893,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":143894,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":143895,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":143896,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":143897,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":143898,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":143899,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":143900,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":143901,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":143902,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":143903,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":143904,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":143905,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":143906,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":143907,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"CJKoptions":{"_internalId":143908,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":143909,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"linestretch":{"_internalId":143910,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"links-as-notes":{"_internalId":143911,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"reference-location":{"_internalId":143912,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":143913,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":143914,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":143914,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":143915,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":143916,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":143917,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":143918,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":143919,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":143920,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":143921,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":143922,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":143923,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":143924,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":143925,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":143926,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":143927,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":143928,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":143929,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":143930,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":143931,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":143932,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":143933,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":143934,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":143935,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":143936,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":143937,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":143938,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":143939,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":143940,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":143941,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"latex-auto-mk":{"_internalId":143942,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-mk","description":"quarto-resource-document-latexmk-latex-auto-mk"},"latex-auto-install":{"_internalId":143943,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-install","description":"quarto-resource-document-latexmk-latex-auto-install"},"latex-min-runs":{"_internalId":143944,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-min-runs","description":"quarto-resource-document-latexmk-latex-min-runs"},"latex-max-runs":{"_internalId":143945,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-max-runs","description":"quarto-resource-document-latexmk-latex-max-runs"},"latex-clean":{"_internalId":143946,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-clean","description":"quarto-resource-document-latexmk-latex-clean"},"latex-makeindex":{"_internalId":143947,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex","description":"quarto-resource-document-latexmk-latex-makeindex"},"latex-makeindex-opts":{"_internalId":143948,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex-opts","description":"quarto-resource-document-latexmk-latex-makeindex-opts"},"latex-tlmgr-opts":{"_internalId":143949,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tlmgr-opts","description":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"latex-output-dir":{"_internalId":143950,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-output-dir","description":"quarto-resource-document-latexmk-latex-output-dir"},"latex-tinytex":{"_internalId":143951,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tinytex","description":"quarto-resource-document-latexmk-latex-tinytex"},"latex-input-paths":{"_internalId":143952,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-input-paths","description":"quarto-resource-document-latexmk-latex-input-paths"},"documentclass":{"_internalId":143953,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":143954,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":143955,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":143956,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"grid":{"_internalId":143957,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":143958,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":143959,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":143960,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":143961,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":143962,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":143963,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":143964,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":143965,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"keywords":{"_internalId":143966,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":143967,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"title-meta":{"_internalId":143968,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"author-meta":{"_internalId":143969,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":143970,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":143971,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":143972,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":143973,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"shift-heading-level-by":{"_internalId":143974,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":143975,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":143976,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":143977,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":143978,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":143979,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"beamerarticle":{"_internalId":143980,"type":"ref","$ref":"quarto-resource-document-options-beamerarticle","description":"quarto-resource-document-options-beamerarticle"},"quarto-required":{"_internalId":143981,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":143982,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":143983,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"cite-method":{"_internalId":143984,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":143985,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":143986,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":143987,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":143988,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"biblio-title":{"_internalId":143989,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":143990,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":143991,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":143992,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":143993,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":143994,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":143995,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":143995,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":143996,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":143997,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":143998,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":143999,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":144000,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":144001,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":144002,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":144003,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":144004,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":144005,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":144006,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-tex":{"_internalId":144007,"type":"ref","$ref":"quarto-resource-document-render-keep-tex","description":"quarto-resource-document-render-keep-tex"},"extract-media":{"_internalId":144008,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":144009,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":144010,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":144011,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":144012,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":144013,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"use-rsvg-convert":{"_internalId":144014,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"df-print":{"_internalId":144015,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":144016,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":144017,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":144017,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":144018,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":144019,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"lof":{"_internalId":144020,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":144021,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,thanks,order,citation,code-annotations,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,linkcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,CJKoptions,microtypeoptions,linestretch,links-as-notes,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,latex-auto-mk,latex-auto-install,latex-min-runs,latex-max-runs,latex-clean,latex-makeindex,latex-makeindex-opts,latex-tlmgr-opts,latex-output-dir,latex-tinytex,latex-input-paths,documentclass,classoption,pagestyle,papersize,grid,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,keywords,subject,title-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,shift-heading-level-by,top-level-division,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,beamerarticle,quarto-required,bibliography,csl,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-tex,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,use-rsvg-convert,df-print,ascii,toc,table-of-contents,toc-depth,toc-title,lof,lot","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^cjkmainfont$|^cjkmainfont$|^cjkoptions$|^cjkoptions$|^links_as_notes$|^linksAsNotes$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^latex_auto_mk$|^latexAutoMk$|^latex_auto_install$|^latexAutoInstall$|^latex_min_runs$|^latexMinRuns$|^latex_max_runs$|^latexMaxRuns$|^latex_clean$|^latexClean$|^latex_makeindex$|^latexMakeindex$|^latex_makeindex_opts$|^latexMakeindexOpts$|^latex_tlmgr_opts$|^latexTlmgrOpts$|^latex_output_dir$|^latexOutputDir$|^latex_tinytex$|^latexTinytex$|^latex_input_paths$|^latexInputPaths$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^title_meta$|^titleMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_tex$|^keepTex$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":144023,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?plain([-+].+)?$":{"_internalId":146622,"type":"anyOf","anyOf":[{"_internalId":146620,"type":"object","description":"be an object","properties":{"eval":{"_internalId":146524,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":146525,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":146526,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":146527,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":146528,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":146529,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":146530,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":146531,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":146532,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":146533,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":146534,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":146535,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":146536,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":146537,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":146538,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":146539,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":146540,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":146541,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":146542,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":146543,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":146544,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":146545,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":146546,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":146547,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":146548,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":146549,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":146550,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":146551,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":146552,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":146553,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":146554,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":146555,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":146556,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":146557,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":146558,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":146558,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":146559,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":146560,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":146561,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":146562,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":146563,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":146564,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":146565,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":146566,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":146567,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":146568,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":146569,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":146570,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":146571,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":146572,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":146573,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":146574,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":146575,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":146576,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":146577,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":146578,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":146579,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":146580,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":146581,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":146582,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":146583,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":146584,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":146585,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":146586,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":146587,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":146588,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":146589,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":146590,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":146591,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":146592,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":146593,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":146594,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":146595,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":146595,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":146596,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":146597,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":146598,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":146599,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":146600,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":146601,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":146602,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":146603,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":146604,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":146605,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":146606,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":146607,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":146608,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":146609,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":146610,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":146611,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":146612,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":146613,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":146614,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":146615,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":146616,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":146617,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":146618,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":146618,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":146619,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":146621,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?pptx([-+].+)?$":{"_internalId":149216,"type":"anyOf","anyOf":[{"_internalId":149214,"type":"object","description":"be an object","properties":{"eval":{"_internalId":149122,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":149123,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":149124,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":149125,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":149126,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":149127,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":149128,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":149129,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":149130,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":149131,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":149132,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":149133,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":149134,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":149135,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":149136,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":149137,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":149138,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":149139,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":149140,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":149141,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":149142,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":149143,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":149144,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":149145,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":149146,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":149147,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":149148,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":149149,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":149150,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":149151,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":149152,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":149153,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":149154,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":149155,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":149156,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":149156,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":149157,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":149158,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":149159,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":149160,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":149161,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":149162,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":149163,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":149164,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":149165,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":149166,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":149167,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":149168,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":149169,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":149170,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":149171,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":149172,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":149173,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":149174,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":149175,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":149176,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":149177,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":149178,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":149179,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":149180,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"description":{"_internalId":149181,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"category":{"_internalId":149182,"type":"ref","$ref":"quarto-resource-document-metadata-category","description":"quarto-resource-document-metadata-category"},"number-sections":{"_internalId":149183,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":149184,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"reference-doc":{"_internalId":149185,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":149186,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":149187,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":149188,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":149189,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":149190,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":149191,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":149192,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":149192,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":149193,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":149194,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"filters":{"_internalId":149195,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":149196,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":149197,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":149198,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":149199,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":149200,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":149201,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":149202,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":149203,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":149204,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":149205,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":149206,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":149207,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":149208,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":149209,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":149210,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":149211,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":149211,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":149212,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":149213,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,keywords,subject,description,category,number-sections,shift-heading-level-by,reference-doc,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^reference_doc$|^referenceDoc$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":149215,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?revealjs([-+].+)?$":{"_internalId":151946,"type":"anyOf","anyOf":[{"_internalId":151944,"type":"object","description":"be an object","properties":{"eval":{"_internalId":151716,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":151717,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":151718,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":151719,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":151720,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":151721,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":151722,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":151723,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":151724,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":151725,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":151726,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":151727,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":151728,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":151729,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":151730,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":151731,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":151732,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":151733,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":151734,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":151735,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":151736,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":151737,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":151738,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":151739,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":151740,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":151741,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":151742,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":151743,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":151744,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":151745,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"comments":{"_internalId":151746,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":151747,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":151748,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":151749,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":151750,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":151751,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":151752,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":151753,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":151754,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":151755,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":151756,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":151757,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":151758,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":151759,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":151760,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":151761,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":151762,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":151763,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":151764,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":151765,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":151766,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":151767,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":151768,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":151769,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":151770,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":151771,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":151772,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":151772,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":151773,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":151774,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":151775,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":151776,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":151777,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":151778,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":151779,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":151780,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":151781,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":151782,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":151783,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":151784,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":151785,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":151786,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":151787,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":151788,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":151789,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":151790,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":151791,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":151792,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":151793,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":151794,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":151795,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":151796,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":151797,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":151798,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":151799,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":151800,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":151801,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"brand-mode":{"_internalId":151802,"type":"ref","$ref":"quarto-resource-document-layout-brand-mode","description":"quarto-resource-document-layout-brand-mode"},"grid":{"_internalId":151803,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":151804,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":151805,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":151806,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":151807,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":151808,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"revealjs-url":{"_internalId":151809,"type":"ref","$ref":"quarto-resource-document-library-revealjs-url","description":"quarto-resource-document-library-revealjs-url"},"link-external-icon":{"_internalId":151810,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":151811,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":151812,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"mermaid":{"_internalId":151813,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":151814,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":151815,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":151816,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":151817,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":151818,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":151819,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":151820,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":151821,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":151822,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":151823,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":151824,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":151825,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":151826,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"document-css":{"_internalId":151827,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":151828,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":151829,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":151830,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":151831,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":151832,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":151833,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":151834,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":151835,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":151836,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":151837,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":151838,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":151838,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":151839,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":151840,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":151841,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":151842,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":151843,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":151844,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":151845,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":151846,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":151847,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":151848,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":151849,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":151850,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":151851,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":151852,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":151853,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":151854,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":151855,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":151856,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":151857,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":151858,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"logo":{"_internalId":151859,"type":"ref","$ref":"quarto-resource-document-reveal-content-logo","description":"quarto-resource-document-reveal-content-logo"},"footer":{"_internalId":151860,"type":"ref","$ref":"quarto-resource-document-reveal-content-footer","description":"quarto-resource-document-reveal-content-footer"},"scrollable":{"_internalId":151861,"type":"ref","$ref":"quarto-resource-document-reveal-content-scrollable","description":"quarto-resource-document-reveal-content-scrollable"},"smaller":{"_internalId":151862,"type":"ref","$ref":"quarto-resource-document-reveal-content-smaller","description":"quarto-resource-document-reveal-content-smaller"},"output-location":{"_internalId":151863,"type":"ref","$ref":"quarto-resource-document-reveal-content-output-location","description":"quarto-resource-document-reveal-content-output-location"},"embedded":{"_internalId":151864,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-embedded","description":"quarto-resource-document-reveal-hidden-embedded"},"display":{"_internalId":151865,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-display","description":"quarto-resource-document-reveal-hidden-display"},"auto-stretch":{"_internalId":151866,"type":"ref","$ref":"quarto-resource-document-reveal-layout-auto-stretch","description":"quarto-resource-document-reveal-layout-auto-stretch"},"width":{"_internalId":151867,"type":"ref","$ref":"quarto-resource-document-reveal-layout-width","description":"quarto-resource-document-reveal-layout-width"},"height":{"_internalId":151868,"type":"ref","$ref":"quarto-resource-document-reveal-layout-height","description":"quarto-resource-document-reveal-layout-height"},"margin":{"_internalId":151869,"type":"ref","$ref":"quarto-resource-document-reveal-layout-margin","description":"quarto-resource-document-reveal-layout-margin"},"min-scale":{"_internalId":151870,"type":"ref","$ref":"quarto-resource-document-reveal-layout-min-scale","description":"quarto-resource-document-reveal-layout-min-scale"},"max-scale":{"_internalId":151871,"type":"ref","$ref":"quarto-resource-document-reveal-layout-max-scale","description":"quarto-resource-document-reveal-layout-max-scale"},"center":{"_internalId":151872,"type":"ref","$ref":"quarto-resource-document-reveal-layout-center","description":"quarto-resource-document-reveal-layout-center"},"disable-layout":{"_internalId":151873,"type":"ref","$ref":"quarto-resource-document-reveal-layout-disable-layout","description":"quarto-resource-document-reveal-layout-disable-layout"},"code-block-height":{"_internalId":151874,"type":"ref","$ref":"quarto-resource-document-reveal-layout-code-block-height","description":"quarto-resource-document-reveal-layout-code-block-height"},"preview-links":{"_internalId":151875,"type":"ref","$ref":"quarto-resource-document-reveal-media-preview-links","description":"quarto-resource-document-reveal-media-preview-links"},"auto-play-media":{"_internalId":151876,"type":"ref","$ref":"quarto-resource-document-reveal-media-auto-play-media","description":"quarto-resource-document-reveal-media-auto-play-media"},"preload-iframes":{"_internalId":151877,"type":"ref","$ref":"quarto-resource-document-reveal-media-preload-iframes","description":"quarto-resource-document-reveal-media-preload-iframes"},"view-distance":{"_internalId":151878,"type":"ref","$ref":"quarto-resource-document-reveal-media-view-distance","description":"quarto-resource-document-reveal-media-view-distance"},"mobile-view-distance":{"_internalId":151879,"type":"ref","$ref":"quarto-resource-document-reveal-media-mobile-view-distance","description":"quarto-resource-document-reveal-media-mobile-view-distance"},"parallax-background-image":{"_internalId":151880,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-image","description":"quarto-resource-document-reveal-media-parallax-background-image"},"parallax-background-size":{"_internalId":151881,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-size","description":"quarto-resource-document-reveal-media-parallax-background-size"},"parallax-background-horizontal":{"_internalId":151882,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-horizontal","description":"quarto-resource-document-reveal-media-parallax-background-horizontal"},"parallax-background-vertical":{"_internalId":151883,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-vertical","description":"quarto-resource-document-reveal-media-parallax-background-vertical"},"progress":{"_internalId":151884,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-progress","description":"quarto-resource-document-reveal-navigation-progress"},"history":{"_internalId":151885,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-history","description":"quarto-resource-document-reveal-navigation-history"},"navigation-mode":{"_internalId":151886,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-navigation-mode","description":"quarto-resource-document-reveal-navigation-navigation-mode"},"touch":{"_internalId":151887,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-touch","description":"quarto-resource-document-reveal-navigation-touch"},"keyboard":{"_internalId":151888,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-keyboard","description":"quarto-resource-document-reveal-navigation-keyboard"},"mouse-wheel":{"_internalId":151889,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-mouse-wheel","description":"quarto-resource-document-reveal-navigation-mouse-wheel"},"hide-inactive-cursor":{"_internalId":151890,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-inactive-cursor","description":"quarto-resource-document-reveal-navigation-hide-inactive-cursor"},"hide-cursor-time":{"_internalId":151891,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-cursor-time","description":"quarto-resource-document-reveal-navigation-hide-cursor-time"},"loop":{"_internalId":151892,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-loop","description":"quarto-resource-document-reveal-navigation-loop"},"shuffle":{"_internalId":151893,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-shuffle","description":"quarto-resource-document-reveal-navigation-shuffle"},"controls":{"_internalId":151894,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls","description":"quarto-resource-document-reveal-navigation-controls"},"controls-layout":{"_internalId":151895,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-layout","description":"quarto-resource-document-reveal-navigation-controls-layout"},"controls-tutorial":{"_internalId":151896,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-tutorial","description":"quarto-resource-document-reveal-navigation-controls-tutorial"},"controls-back-arrows":{"_internalId":151897,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-back-arrows","description":"quarto-resource-document-reveal-navigation-controls-back-arrows"},"auto-slide":{"_internalId":151898,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide","description":"quarto-resource-document-reveal-navigation-auto-slide"},"auto-slide-stoppable":{"_internalId":151899,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-stoppable","description":"quarto-resource-document-reveal-navigation-auto-slide-stoppable"},"auto-slide-method":{"_internalId":151900,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-method","description":"quarto-resource-document-reveal-navigation-auto-slide-method"},"default-timing":{"_internalId":151901,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-default-timing","description":"quarto-resource-document-reveal-navigation-default-timing"},"pause":{"_internalId":151902,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-pause","description":"quarto-resource-document-reveal-navigation-pause"},"help":{"_internalId":151903,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-help","description":"quarto-resource-document-reveal-navigation-help"},"hash":{"_internalId":151904,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash","description":"quarto-resource-document-reveal-navigation-hash"},"hash-type":{"_internalId":151905,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-type","description":"quarto-resource-document-reveal-navigation-hash-type"},"hash-one-based-index":{"_internalId":151906,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-one-based-index","description":"quarto-resource-document-reveal-navigation-hash-one-based-index"},"respond-to-hash-changes":{"_internalId":151907,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-respond-to-hash-changes","description":"quarto-resource-document-reveal-navigation-respond-to-hash-changes"},"fragment-in-url":{"_internalId":151908,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-fragment-in-url","description":"quarto-resource-document-reveal-navigation-fragment-in-url"},"slide-tone":{"_internalId":151909,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-slide-tone","description":"quarto-resource-document-reveal-navigation-slide-tone"},"jump-to-slide":{"_internalId":151910,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-jump-to-slide","description":"quarto-resource-document-reveal-navigation-jump-to-slide"},"pdf-max-pages-per-slide":{"_internalId":151911,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide","description":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide"},"pdf-separate-fragments":{"_internalId":151912,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-separate-fragments","description":"quarto-resource-document-reveal-print-pdf-separate-fragments"},"pdf-page-height-offset":{"_internalId":151913,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-page-height-offset","description":"quarto-resource-document-reveal-print-pdf-page-height-offset"},"overview":{"_internalId":151914,"type":"ref","$ref":"quarto-resource-document-reveal-tools-overview","description":"quarto-resource-document-reveal-tools-overview"},"menu":{"_internalId":151915,"type":"ref","$ref":"quarto-resource-document-reveal-tools-menu","description":"quarto-resource-document-reveal-tools-menu"},"chalkboard":{"_internalId":151916,"type":"ref","$ref":"quarto-resource-document-reveal-tools-chalkboard","description":"quarto-resource-document-reveal-tools-chalkboard"},"multiplex":{"_internalId":151917,"type":"ref","$ref":"quarto-resource-document-reveal-tools-multiplex","description":"quarto-resource-document-reveal-tools-multiplex"},"scroll-view":{"_internalId":151918,"type":"ref","$ref":"quarto-resource-document-reveal-tools-scroll-view","description":"quarto-resource-document-reveal-tools-scroll-view"},"transition":{"_internalId":151919,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition","description":"quarto-resource-document-reveal-transitions-transition"},"transition-speed":{"_internalId":151920,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition-speed","description":"quarto-resource-document-reveal-transitions-transition-speed"},"background-transition":{"_internalId":151921,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-background-transition","description":"quarto-resource-document-reveal-transitions-background-transition"},"fragments":{"_internalId":151922,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-fragments","description":"quarto-resource-document-reveal-transitions-fragments"},"auto-animate":{"_internalId":151923,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate","description":"quarto-resource-document-reveal-transitions-auto-animate"},"auto-animate-easing":{"_internalId":151924,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-easing","description":"quarto-resource-document-reveal-transitions-auto-animate-easing"},"auto-animate-duration":{"_internalId":151925,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-duration","description":"quarto-resource-document-reveal-transitions-auto-animate-duration"},"auto-animate-unmatched":{"_internalId":151926,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-unmatched","description":"quarto-resource-document-reveal-transitions-auto-animate-unmatched"},"auto-animate-styles":{"_internalId":151927,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-styles","description":"quarto-resource-document-reveal-transitions-auto-animate-styles"},"incremental":{"_internalId":151928,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":151929,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"slide-number":{"_internalId":151930,"type":"ref","$ref":"quarto-resource-document-slides-slide-number","description":"quarto-resource-document-slides-slide-number"},"show-slide-number":{"_internalId":151931,"type":"ref","$ref":"quarto-resource-document-slides-show-slide-number","description":"quarto-resource-document-slides-show-slide-number"},"title-slide-attributes":{"_internalId":151932,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-attributes","description":"quarto-resource-document-slides-title-slide-attributes"},"title-slide-style":{"_internalId":151933,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-style","description":"quarto-resource-document-slides-title-slide-style"},"center-title-slide":{"_internalId":151934,"type":"ref","$ref":"quarto-resource-document-slides-center-title-slide","description":"quarto-resource-document-slides-center-title-slide"},"show-notes":{"_internalId":151935,"type":"ref","$ref":"quarto-resource-document-slides-show-notes","description":"quarto-resource-document-slides-show-notes"},"rtl":{"_internalId":151936,"type":"ref","$ref":"quarto-resource-document-slides-rtl","description":"quarto-resource-document-slides-rtl"},"df-print":{"_internalId":151937,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":151938,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":151939,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":151940,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":151940,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":151941,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":151942,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"axe":{"_internalId":151943,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,brand-mode,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,revealjs-url,link-external-icon,link-external-newwindow,link-external-filter,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,logo,footer,scrollable,smaller,output-location,embedded,display,auto-stretch,width,height,margin,min-scale,max-scale,center,disable-layout,code-block-height,preview-links,auto-play-media,preload-iframes,view-distance,mobile-view-distance,parallax-background-image,parallax-background-size,parallax-background-horizontal,parallax-background-vertical,progress,history,navigation-mode,touch,keyboard,mouse-wheel,hide-inactive-cursor,hide-cursor-time,loop,shuffle,controls,controls-layout,controls-tutorial,controls-back-arrows,auto-slide,auto-slide-stoppable,auto-slide-method,default-timing,pause,help,hash,hash-type,hash-one-based-index,respond-to-hash-changes,fragment-in-url,slide-tone,jump-to-slide,pdf-max-pages-per-slide,pdf-separate-fragments,pdf-page-height-offset,overview,menu,chalkboard,multiplex,scroll-view,transition,transition-speed,background-transition,fragments,auto-animate,auto-animate-easing,auto-animate-duration,auto-animate-unmatched,auto-animate-styles,incremental,slide-level,slide-number,show-slide-number,title-slide-attributes,title-slide-style,center-title-slide,show-notes,rtl,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-title,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^brand_mode$|^brandMode$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^revealjs_url$|^revealjsUrl$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$|^auto_stretch$|^autoStretch$|^min_scale$|^minScale$|^max_scale$|^maxScale$|^disable_layout$|^disableLayout$|^code_block_height$|^codeBlockHeight$|^preview_links$|^previewLinks$|^auto_play_media$|^autoPlayMedia$|^preload_iframes$|^preloadIframes$|^view_distance$|^viewDistance$|^mobile_view_distance$|^mobileViewDistance$|^parallax_background_image$|^parallaxBackgroundImage$|^parallax_background_size$|^parallaxBackgroundSize$|^parallax_background_horizontal$|^parallaxBackgroundHorizontal$|^parallax_background_vertical$|^parallaxBackgroundVertical$|^navigation_mode$|^navigationMode$|^mouse_wheel$|^mouseWheel$|^hide_inactive_cursor$|^hideInactiveCursor$|^hide_cursor_time$|^hideCursorTime$|^controls_layout$|^controlsLayout$|^controls_tutorial$|^controlsTutorial$|^controls_back_arrows$|^controlsBackArrows$|^auto_slide$|^autoSlide$|^auto_slide_stoppable$|^autoSlideStoppable$|^auto_slide_method$|^autoSlideMethod$|^default_timing$|^defaultTiming$|^hash_type$|^hashType$|^hash_one_based_index$|^hashOneBasedIndex$|^respond_to_hash_changes$|^respondToHashChanges$|^fragment_in_url$|^fragmentInUrl$|^slide_tone$|^slideTone$|^jump_to_slide$|^jumpToSlide$|^pdf_max_pages_per_slide$|^pdfMaxPagesPerSlide$|^pdf_separate_fragments$|^pdfSeparateFragments$|^pdf_page_height_offset$|^pdfPageHeightOffset$|^scroll_view$|^scrollView$|^transition_speed$|^transitionSpeed$|^background_transition$|^backgroundTransition$|^auto_animate$|^autoAnimate$|^auto_animate_easing$|^autoAnimateEasing$|^auto_animate_duration$|^autoAnimateDuration$|^auto_animate_unmatched$|^autoAnimateUnmatched$|^auto_animate_styles$|^autoAnimateStyles$|^slide_level$|^slideLevel$|^slide_number$|^slideNumber$|^show_slide_number$|^showSlideNumber$|^title_slide_attributes$|^titleSlideAttributes$|^title_slide_style$|^titleSlideStyle$|^center_title_slide$|^centerTitleSlide$|^show_notes$|^showNotes$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":151945,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?rst([-+].+)?$":{"_internalId":154545,"type":"anyOf","anyOf":[{"_internalId":154543,"type":"object","description":"be an object","properties":{"eval":{"_internalId":154446,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":154447,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":154448,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":154449,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":154450,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":154451,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":154452,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":154453,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":154454,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":154455,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":154456,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":154457,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":154458,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":154459,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":154460,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":154461,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":154462,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":154463,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":154464,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":154465,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":154466,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":154467,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":154468,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":154469,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":154470,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":154471,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":154472,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":154473,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":154474,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":154475,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":154476,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":154477,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":154478,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"list-tables":{"_internalId":154479,"type":"ref","$ref":"quarto-resource-document-formatting-list-tables","description":"quarto-resource-document-formatting-list-tables"},"funding":{"_internalId":154480,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":154481,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":154481,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":154482,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":154483,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":154484,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":154485,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":154486,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":154487,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":154488,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":154489,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":154490,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":154491,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":154492,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":154493,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":154494,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":154495,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":154496,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":154497,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":154498,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":154499,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":154500,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":154501,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":154502,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":154503,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":154504,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":154505,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":154506,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":154507,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":154508,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":154509,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":154510,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":154511,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":154512,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":154513,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":154514,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":154515,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":154516,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":154517,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":154518,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":154518,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":154519,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":154520,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":154521,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":154522,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":154523,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":154524,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":154525,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":154526,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":154527,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":154528,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":154529,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":154530,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":154531,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":154532,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":154533,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":154534,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":154535,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":154536,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":154537,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":154538,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":154539,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":154540,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":154541,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":154541,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":154542,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,list-tables,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^list_tables$|^listTables$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":154544,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?rtf([-+].+)?$":{"_internalId":157144,"type":"anyOf","anyOf":[{"_internalId":157142,"type":"object","description":"be an object","properties":{"eval":{"_internalId":157045,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":157046,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":157047,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":157048,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":157049,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":157050,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":157051,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":157052,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":157053,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":157054,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":157055,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":157056,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":157057,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":157058,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":157059,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":157060,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":157061,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":157062,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":157063,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":157064,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":157065,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":157066,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":157067,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":157068,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":157069,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":157070,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":157071,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":157072,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":157073,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":157074,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":157075,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":157076,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":157077,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":157078,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":157079,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":157080,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":157080,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":157081,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":157082,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":157083,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":157084,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":157085,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":157086,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":157087,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":157088,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":157089,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":157090,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":157091,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":157092,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":157093,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":157094,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":157095,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":157096,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":157097,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":157098,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":157099,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":157100,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":157101,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":157102,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":157103,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":157104,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":157105,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":157106,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":157107,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":157108,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":157109,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":157110,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":157111,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":157112,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":157113,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":157114,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":157115,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":157116,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":157117,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":157117,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":157118,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":157119,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":157120,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":157121,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":157122,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":157123,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":157124,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":157125,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":157126,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":157127,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":157128,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":157129,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":157130,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":157131,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":157132,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":157133,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":157134,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":157135,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":157136,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":157137,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":157138,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":157139,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":157140,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":157140,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":157141,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":157143,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?s5([-+].+)?$":{"_internalId":159793,"type":"anyOf","anyOf":[{"_internalId":159791,"type":"object","description":"be an object","properties":{"eval":{"_internalId":159644,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":159645,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":159646,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":159647,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":159648,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":159649,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":159650,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":159651,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":159652,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":159653,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":159654,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":159655,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":159656,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":159657,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":159658,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":159659,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":159660,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":159661,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":159662,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":159663,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":159664,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":159665,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":159666,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":159667,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":159668,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":159669,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":159670,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":159671,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":159672,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":159673,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":159674,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":159675,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":159676,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":159677,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":159678,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":159679,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":159680,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":159681,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":159682,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":159683,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":159684,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":159685,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":159686,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":159687,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":159688,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":159689,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":159690,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":159691,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":159692,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":159693,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":159694,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":159695,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":159696,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":159697,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":159698,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":159699,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":159700,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":159701,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":159701,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":159702,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":159703,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":159704,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":159705,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":159706,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":159707,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":159708,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":159709,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":159710,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":159711,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":159712,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":159713,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":159714,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":159715,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":159716,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":159717,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":159718,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":159719,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":159720,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":159721,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":159722,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":159723,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":159724,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":159725,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":159726,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":159727,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":159728,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":159729,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":159730,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":159731,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":159732,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":159733,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":159734,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":159735,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":159736,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"s5-url":{"_internalId":159737,"type":"ref","$ref":"quarto-resource-document-library-s5-url","description":"quarto-resource-document-library-s5-url"},"mermaid":{"_internalId":159738,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":159739,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":159740,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":159741,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":159742,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":159743,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":159744,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":159745,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":159746,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":159747,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":159748,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":159749,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":159750,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":159751,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":159752,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":159753,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":159754,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":159755,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":159756,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":159757,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":159758,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":159759,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":159760,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":159761,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":159762,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":159762,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":159763,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":159764,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":159765,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":159766,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":159767,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":159768,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":159769,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":159770,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":159771,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":159772,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":159773,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":159774,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":159775,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":159776,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":159777,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":159778,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":159779,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":159780,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":159781,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":159782,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":159783,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":159784,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":159785,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":159786,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":159787,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":159788,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":159788,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":159789,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":159790,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,s5-url,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^s5_url$|^s5Url$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":159792,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?slideous([-+].+)?$":{"_internalId":162442,"type":"anyOf","anyOf":[{"_internalId":162440,"type":"object","description":"be an object","properties":{"eval":{"_internalId":162293,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":162294,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":162295,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":162296,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":162297,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":162298,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":162299,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":162300,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":162301,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":162302,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":162303,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":162304,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":162305,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":162306,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":162307,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":162308,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":162309,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":162310,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":162311,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":162312,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":162313,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":162314,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":162315,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":162316,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":162317,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":162318,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":162319,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":162320,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":162321,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":162322,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":162323,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":162324,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":162325,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":162326,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":162327,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":162328,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":162329,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":162330,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":162331,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":162332,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":162333,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":162334,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":162335,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":162336,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":162337,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":162338,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":162339,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":162340,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":162341,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":162342,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":162343,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":162344,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":162345,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":162346,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":162347,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":162348,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":162349,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":162350,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":162350,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":162351,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":162352,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":162353,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":162354,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":162355,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":162356,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":162357,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":162358,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":162359,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":162360,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":162361,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":162362,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":162363,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":162364,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":162365,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":162366,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":162367,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":162368,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":162369,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":162370,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":162371,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":162372,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":162373,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":162374,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":162375,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":162376,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":162377,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":162378,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":162379,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":162380,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":162381,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":162382,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":162383,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":162384,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":162385,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"slideous-url":{"_internalId":162386,"type":"ref","$ref":"quarto-resource-document-library-slideous-url","description":"quarto-resource-document-library-slideous-url"},"mermaid":{"_internalId":162387,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":162388,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":162389,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":162390,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":162391,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":162392,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":162393,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":162394,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":162395,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":162396,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":162397,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":162398,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":162399,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":162400,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":162401,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":162402,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":162403,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":162404,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":162405,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":162406,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":162407,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":162408,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":162409,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":162410,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":162411,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":162411,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":162412,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":162413,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":162414,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":162415,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":162416,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":162417,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":162418,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":162419,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":162420,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":162421,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":162422,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":162423,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":162424,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":162425,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":162426,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":162427,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":162428,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":162429,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":162430,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":162431,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":162432,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":162433,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":162434,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":162435,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":162436,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":162437,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":162437,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":162438,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":162439,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,slideous-url,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^slideous_url$|^slideousUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":162441,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?slidy([-+].+)?$":{"_internalId":165091,"type":"anyOf","anyOf":[{"_internalId":165089,"type":"object","description":"be an object","properties":{"eval":{"_internalId":164942,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":164943,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":164944,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":164945,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":164946,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":164947,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":164948,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":164949,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":164950,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":164951,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":164952,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":164953,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":164954,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":164955,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":164956,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":164957,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":164958,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":164959,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":164960,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":164961,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":164962,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":164963,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":164964,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":164965,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":164966,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":164967,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":164968,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":164969,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":164970,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":164971,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":164972,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":164973,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":164974,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":164975,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":164976,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":164977,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":164978,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":164979,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":164980,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":164981,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":164982,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":164983,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":164984,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":164985,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":164986,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":164987,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":164988,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":164989,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":164990,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":164991,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":164992,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":164993,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":164994,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":164995,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":164996,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":164997,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":164998,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":164999,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":164999,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":165000,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":165001,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":165002,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":165003,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":165004,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":165005,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":165006,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":165007,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":165008,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":165009,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":165010,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":165011,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":165012,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":165013,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":165014,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":165015,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":165016,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":165017,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":165018,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":165019,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":165020,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":165021,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":165022,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":165023,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":165024,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":165025,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":165026,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":165027,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":165028,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":165029,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":165030,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":165031,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":165032,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":165033,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":165034,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"slidy-url":{"_internalId":165035,"type":"ref","$ref":"quarto-resource-document-library-slidy-url","description":"quarto-resource-document-library-slidy-url"},"mermaid":{"_internalId":165036,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":165037,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":165038,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":165039,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":165040,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":165041,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":165042,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":165043,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":165044,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":165045,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":165046,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":165047,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":165048,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":165049,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":165050,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":165051,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":165052,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":165053,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":165054,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":165055,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":165056,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":165057,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":165058,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":165059,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":165060,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":165060,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":165061,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":165062,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":165063,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":165064,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":165065,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":165066,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":165067,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":165068,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":165069,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":165070,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":165071,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":165072,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":165073,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":165074,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":165075,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":165076,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":165077,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":165078,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":165079,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":165080,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":165081,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":165082,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":165083,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":165084,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":165085,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":165086,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":165086,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":165087,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":165088,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,slidy-url,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^slidy_url$|^slidyUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":165090,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?tei([-+].+)?$":{"_internalId":167690,"type":"anyOf","anyOf":[{"_internalId":167688,"type":"object","description":"be an object","properties":{"eval":{"_internalId":167591,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":167592,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":167593,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":167594,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":167595,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":167596,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":167597,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":167598,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":167599,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":167600,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":167601,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":167602,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":167603,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":167604,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":167605,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":167606,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":167607,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":167608,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":167609,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":167610,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":167611,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":167612,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":167613,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":167614,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":167615,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":167616,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":167617,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":167618,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":167619,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":167620,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":167621,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":167622,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":167623,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":167624,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":167625,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":167625,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":167626,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":167627,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":167628,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":167629,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":167630,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":167631,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":167632,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":167633,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":167634,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":167635,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":167636,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":167637,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":167638,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":167639,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":167640,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":167641,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":167642,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":167643,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":167644,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":167645,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":167646,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":167647,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":167648,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":167649,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":167650,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":167651,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":167652,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":167653,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":167654,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":167655,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":167656,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":167657,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":167658,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":167659,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":167660,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":167661,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":167662,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":167663,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":167663,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":167664,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":167665,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":167666,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":167667,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":167668,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":167669,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":167670,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":167671,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":167672,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":167673,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":167674,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":167675,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":167676,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":167677,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":167678,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":167679,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":167680,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":167681,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":167682,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":167683,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":167684,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":167685,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":167686,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":167686,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":167687,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":167689,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?texinfo([-+].+)?$":{"_internalId":170288,"type":"anyOf","anyOf":[{"_internalId":170286,"type":"object","description":"be an object","properties":{"eval":{"_internalId":170190,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":170191,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":170192,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":170193,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":170194,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":170195,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":170196,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":170197,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":170198,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":170199,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":170200,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":170201,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":170202,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":170203,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":170204,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":170205,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":170206,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":170207,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":170208,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":170209,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":170210,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":170211,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":170212,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":170213,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":170214,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":170215,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":170216,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":170217,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":170218,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":170219,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":170220,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":170221,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":170222,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":170223,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":170224,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":170224,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":170225,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":170226,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":170227,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":170228,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":170229,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":170230,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":170231,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":170232,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":170233,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":170234,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":170235,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":170236,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":170237,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":170238,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":170239,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":170240,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":170241,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":170242,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":170243,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":170244,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":170245,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":170246,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":170247,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":170248,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":170249,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":170250,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":170251,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":170252,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":170253,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":170254,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":170255,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":170256,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":170257,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":170258,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":170259,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":170260,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":170261,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":170261,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":170262,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":170263,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":170264,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":170265,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":170266,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":170267,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":170268,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":170269,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":170270,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":170271,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":170272,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":170273,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":170274,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":170275,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":170276,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":170277,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":170278,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":170279,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":170280,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":170281,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":170282,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":170283,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":170284,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":170284,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":170285,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":170287,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?textile([-+].+)?$":{"_internalId":172887,"type":"anyOf","anyOf":[{"_internalId":172885,"type":"object","description":"be an object","properties":{"eval":{"_internalId":172788,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":172789,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":172790,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":172791,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":172792,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":172793,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":172794,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":172795,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":172796,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":172797,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":172798,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":172799,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":172800,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":172801,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":172802,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":172803,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":172804,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":172805,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":172806,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":172807,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":172808,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":172809,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":172810,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":172811,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":172812,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":172813,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":172814,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":172815,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":172816,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":172817,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":172818,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":172819,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":172820,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":172821,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":172822,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":172822,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":172823,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":172824,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":172825,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":172826,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":172827,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":172828,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":172829,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":172830,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":172831,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":172832,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":172833,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":172834,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":172835,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":172836,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":172837,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":172838,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":172839,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":172840,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":172841,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":172842,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":172843,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":172844,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":172845,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":172846,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":172847,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":172848,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":172849,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":172850,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":172851,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":172852,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":172853,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":172854,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":172855,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":172856,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":172857,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":172858,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":172859,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":172859,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":172860,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":172861,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":172862,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":172863,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":172864,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":172865,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":172866,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":172867,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":172868,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":172869,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":172870,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":172871,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":172872,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":172873,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":172874,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":172875,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":172876,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":172877,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":172878,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":172879,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":172880,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":172881,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":172882,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"toc":{"_internalId":172883,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":172883,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":172884,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":172886,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?typst([-+].+)?$":{"_internalId":175500,"type":"anyOf","anyOf":[{"_internalId":175498,"type":"object","description":"be an object","properties":{"eval":{"_internalId":175387,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":175388,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":175389,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":175390,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":175391,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":175392,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":175393,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":175394,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":175395,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":175396,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract-title":{"_internalId":175397,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":175398,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":175399,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":175400,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":175401,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":175402,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":175403,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":175404,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":175405,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":175406,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":175407,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":175408,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":175409,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":175410,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":175411,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":175412,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":175413,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":175414,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":175415,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":175416,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":175417,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":175418,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":175419,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":175420,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":175421,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"fontsize":{"_internalId":175422,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"font-paths":{"_internalId":175423,"type":"ref","$ref":"quarto-resource-document-fonts-font-paths","description":"quarto-resource-document-fonts-font-paths"},"funding":{"_internalId":175424,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":175425,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":175425,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":175426,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":175427,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":175428,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":175429,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":175430,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":175431,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":175432,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":175433,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":175434,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":175435,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":175436,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":175437,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":175438,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":175439,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":175440,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":175441,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":175442,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":175443,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":175444,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":175445,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":175446,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":175447,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":175448,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":175449,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":175450,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":175451,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":175452,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"papersize":{"_internalId":175453,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"brand-mode":{"_internalId":175454,"type":"ref","$ref":"quarto-resource-document-layout-brand-mode","description":"quarto-resource-document-layout-brand-mode"},"grid":{"_internalId":175455,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":175456,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"section-numbering":{"_internalId":175457,"type":"ref","$ref":"quarto-resource-document-numbering-section-numbering","description":"quarto-resource-document-numbering-section-numbering"},"shift-heading-level-by":{"_internalId":175458,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":175459,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":175460,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":175461,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":175462,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":175463,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"bibliographystyle":{"_internalId":175464,"type":"ref","$ref":"quarto-resource-document-references-bibliographystyle","description":"quarto-resource-document-references-bibliographystyle"},"citation-abbreviations":{"_internalId":175465,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":175466,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":175466,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":175467,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":175468,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":175469,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":175470,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":175471,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":175472,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":175473,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":175474,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":175475,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":175476,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":175477,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-typ":{"_internalId":175478,"type":"ref","$ref":"quarto-resource-document-render-keep-typ","description":"quarto-resource-document-render-keep-typ"},"extract-media":{"_internalId":175479,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":175480,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":175481,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":175482,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":175483,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":175484,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"html-pre-tag-processing":{"_internalId":175485,"type":"ref","$ref":"quarto-resource-document-render-html-pre-tag-processing","description":"quarto-resource-document-render-html-pre-tag-processing"},"css-property-processing":{"_internalId":175486,"type":"ref","$ref":"quarto-resource-document-render-css-property-processing","description":"quarto-resource-document-render-css-property-processing"},"margin":{"_internalId":175487,"type":"ref","$ref":"quarto-resource-document-reveal-layout-margin","description":"quarto-resource-document-reveal-layout-margin"},"df-print":{"_internalId":175488,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":175489,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"columns":{"_internalId":175490,"type":"ref","$ref":"quarto-resource-document-text-columns","description":"quarto-resource-document-text-columns"},"tab-stop":{"_internalId":175491,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":175492,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":175493,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":175494,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":175494,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-indent":{"_internalId":175495,"type":"ref","$ref":"quarto-resource-document-toc-toc-indent","description":"quarto-resource-document-toc-toc-indent"},"toc-depth":{"_internalId":175496,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"logo":{"_internalId":175497,"type":"ref","$ref":"quarto-resource-document-typst-logo","description":"quarto-resource-document-typst-logo"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,abstract-title,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,fontsize,font-paths,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,papersize,brand-mode,grid,number-sections,section-numbering,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,bibliographystyle,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-typ,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,html-pre-tag-processing,css-property-processing,margin,df-print,wrap,columns,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-indent,toc-depth,logo","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^font_paths$|^fontPaths$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^brand_mode$|^brandMode$|^number_sections$|^numberSections$|^section_numbering$|^sectionNumbering$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_typ$|^keepTyp$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^html_pre_tag_processing$|^htmlPreTagProcessing$|^css_property_processing$|^cssPropertyProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_indent$|^tocIndent$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":175499,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?xwiki([-+].+)?$":{"_internalId":178098,"type":"anyOf","anyOf":[{"_internalId":178096,"type":"object","description":"be an object","properties":{"eval":{"_internalId":178000,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":178001,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":178002,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":178003,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":178004,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":178005,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":178006,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":178007,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":178008,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":178009,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":178010,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":178011,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":178012,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":178013,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":178014,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":178015,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":178016,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":178017,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":178018,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":178019,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":178020,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":178021,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":178022,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":178023,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":178024,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":178025,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":178026,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":178027,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":178028,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":178029,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":178030,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":178031,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":178032,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":178033,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":178034,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":178034,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":178035,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":178036,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":178037,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":178038,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":178039,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":178040,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":178041,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":178042,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":178043,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":178044,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":178045,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":178046,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":178047,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":178048,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":178049,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":178050,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":178051,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":178052,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":178053,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":178054,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":178055,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":178056,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":178057,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":178058,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":178059,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":178060,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":178061,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":178062,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":178063,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":178064,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":178065,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":178066,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":178067,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":178068,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":178069,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":178070,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":178071,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":178071,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":178072,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":178073,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":178074,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":178075,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":178076,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":178077,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":178078,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":178079,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":178080,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":178081,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":178082,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":178083,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":178084,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":178085,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":178086,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":178087,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":178088,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":178089,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":178090,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":178091,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":178092,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":178093,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":178094,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":178094,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":178095,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":178097,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?zimwiki([-+].+)?$":{"_internalId":180696,"type":"anyOf","anyOf":[{"_internalId":180694,"type":"object","description":"be an object","properties":{"eval":{"_internalId":180598,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":180599,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":180600,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":180601,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":180602,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":180603,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":180604,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":180605,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":180606,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":180607,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":180608,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":180609,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":180610,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":180611,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":180612,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":180613,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":180614,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":180615,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":180616,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":180617,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":180618,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":180619,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":180620,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":180621,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":180622,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":180623,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":180624,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":180625,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":180626,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":180627,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":180628,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":180629,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":180630,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":180631,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":180632,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":180632,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":180633,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":180634,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":180635,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":180636,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":180637,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":180638,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":180639,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":180640,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":180641,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":180642,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":180643,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":180644,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":180645,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":180646,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":180647,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":180648,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":180649,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":180650,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":180651,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":180652,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":180653,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":180654,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":180655,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":180656,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":180657,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":180658,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":180659,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":180660,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":180661,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":180662,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":180663,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":180664,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":180665,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":180666,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":180667,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":180668,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":180669,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":180669,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":180670,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":180671,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":180672,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":180673,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":180674,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":180675,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":180676,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":180677,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":180678,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":180679,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":180680,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":180681,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":180682,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":180683,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":180684,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":180685,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":180686,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":180687,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":180688,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":180689,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":180690,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":180691,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":180692,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":180692,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":180693,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":180695,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?md([-+].+)?$":{"_internalId":183301,"type":"anyOf","anyOf":[{"_internalId":183299,"type":"object","description":"be an object","properties":{"eval":{"_internalId":183196,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":183197,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":183198,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":183199,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":183200,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":183201,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":183202,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":183203,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":183204,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":183205,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":183206,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":183207,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":183208,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":183209,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":183210,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":183211,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":183212,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":183213,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":183214,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":183215,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":183216,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":183217,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":183218,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":183219,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":183220,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":183221,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":183222,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":183223,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":183224,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":183225,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":183226,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":183227,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":183228,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":183229,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":183230,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":183231,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":183231,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":183232,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":183233,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":183234,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":183235,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":183236,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":183237,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":183238,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":183239,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":183240,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":183241,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":183242,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":183243,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":183244,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":183245,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":183246,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":183247,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":183248,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":183249,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":183250,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":183251,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":183252,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":183253,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":183254,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":183255,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":183256,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":183257,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":183258,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":183259,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":183260,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":183261,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":183262,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":183263,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":183264,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":183265,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":183266,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":183267,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":183268,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":183269,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":183270,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":183271,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":183272,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":183272,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":183273,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":183274,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":183275,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":183276,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":183277,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":183278,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":183279,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":183280,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":183281,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":183282,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":183283,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":183284,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":183285,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":183286,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":183287,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":183288,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":183289,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":183290,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":183291,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":183292,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":183293,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":183294,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":183295,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":183296,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":183297,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":183297,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":183298,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":183300,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?hugo([-+].+)?$":{"_internalId":185899,"type":"anyOf","anyOf":[{"_internalId":185897,"type":"object","description":"be an object","properties":{"eval":{"_internalId":185801,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":185802,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":185803,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":185804,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":185805,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":185806,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":185807,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":185808,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":185809,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":185810,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":185811,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":185812,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":185813,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":185814,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":185815,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":185816,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":185817,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":185818,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":185819,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":185820,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":185821,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":185822,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":185823,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":185824,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":185825,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":185826,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":185827,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":185828,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":185829,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":185830,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":185831,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":185832,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":185833,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":185834,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":185835,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":185835,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":185836,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":185837,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":185838,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":185839,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":185840,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":185841,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":185842,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":185843,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":185844,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":185845,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":185846,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":185847,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":185848,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":185849,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":185850,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":185851,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":185852,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":185853,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":185854,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":185855,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":185856,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":185857,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":185858,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":185859,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":185860,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":185861,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":185862,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":185863,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":185864,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":185865,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":185866,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":185867,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":185868,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":185869,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":185870,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":185871,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":185872,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":185872,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":185873,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":185874,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":185875,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":185876,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":185877,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":185878,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":185879,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":185880,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":185881,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":185882,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":185883,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":185884,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":185885,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":185886,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":185887,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":185888,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":185889,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":185890,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":185891,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":185892,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":185893,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":185894,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":185895,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":185895,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":185896,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":185898,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?dashboard([-+].+)?$":{"_internalId":188549,"type":"anyOf","anyOf":[{"_internalId":188547,"type":"object","description":"be an object","properties":{"eval":{"_internalId":188399,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":188400,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":188401,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":188402,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":188403,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":188404,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":188405,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":188406,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":188407,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":188408,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":188409,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":188410,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":188411,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":188412,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":188413,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":188414,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":188415,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":188416,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":188417,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":188418,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":188419,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":188420,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":188421,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":188422,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":188423,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":188424,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":188425,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":188426,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":188427,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"comments":{"_internalId":188428,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":188429,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":188430,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"logo":{"_internalId":188431,"type":"ref","$ref":"quarto-resource-document-dashboard-logo","description":"quarto-resource-document-dashboard-logo"},"orientation":{"_internalId":188432,"type":"ref","$ref":"quarto-resource-document-dashboard-orientation","description":"quarto-resource-document-dashboard-orientation"},"scrolling":{"_internalId":188433,"type":"ref","$ref":"quarto-resource-document-dashboard-scrolling","description":"quarto-resource-document-dashboard-scrolling"},"expandable":{"_internalId":188434,"type":"ref","$ref":"quarto-resource-document-dashboard-expandable","description":"quarto-resource-document-dashboard-expandable"},"nav-buttons":{"_internalId":188435,"type":"ref","$ref":"quarto-resource-document-dashboard-nav-buttons","description":"quarto-resource-document-dashboard-nav-buttons"},"editor":{"_internalId":188436,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":188437,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":188438,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":188439,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":188440,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":188441,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":188442,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":188443,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":188444,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":188445,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":188446,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":188447,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":188448,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":188449,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":188450,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":188451,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":188452,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":188453,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":188454,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":188455,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":188456,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":188457,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":188458,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":188459,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":188459,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":188460,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":188461,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":188462,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":188463,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":188464,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":188465,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":188466,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":188467,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":188468,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":188469,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":188470,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":188471,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":188472,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":188473,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":188474,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":188475,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":188476,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":188477,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":188478,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":188479,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":188480,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":188481,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":188482,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":188483,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":188484,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":188485,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":188486,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":188487,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":188488,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":188489,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":188490,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":188491,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":188492,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":188493,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":188494,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"mermaid":{"_internalId":188495,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":188496,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":188497,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":188498,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":188499,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":188500,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":188501,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":188502,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":188503,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":188504,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":188505,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":188506,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":188507,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":188508,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"document-css":{"_internalId":188509,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":188510,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":188511,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":188512,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":188513,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":188514,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":188515,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":188516,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":188517,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":188518,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":188519,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":188520,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":188520,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":188521,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":188522,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":188523,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":188524,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":188525,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":188526,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":188527,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":188528,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":188529,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":188530,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":188531,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":188532,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":188533,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":188534,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":188535,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":188536,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":188537,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":188538,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":188539,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":188540,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":188541,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":188542,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":188543,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":188544,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":188544,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":188545,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":188546,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,comments,crossref,crossrefs-hover,logo,orientation,scrolling,expandable,nav-buttons,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^nav_buttons$|^navButtons$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":188548,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?email([-+].+)?$":{"_internalId":191147,"type":"anyOf","anyOf":[{"_internalId":191145,"type":"object","description":"be an object","properties":{"eval":{"_internalId":191049,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191050,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":191051,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191052,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191053,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191054,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":191055,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":191056,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":191057,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":191058,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":191059,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":191060,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":191061,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":191062,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":191063,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":191064,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":191065,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":191066,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":191067,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":191068,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":191069,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":191070,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":191071,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":191072,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":191073,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":191074,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":191075,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":191076,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":191077,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":191078,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":191079,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":191080,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":191081,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":191082,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":191083,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":191083,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":191084,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":191085,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":191086,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":191087,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":191088,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":191089,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":191090,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":191091,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":191092,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":191093,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":191094,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":191095,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":191096,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":191097,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":191098,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":191099,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":191100,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":191101,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":191102,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":191103,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":191104,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":191105,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":191106,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":191107,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":191108,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":191109,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":191110,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":191111,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":191112,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":191113,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":191114,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":191115,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":191116,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":191117,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":191118,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":191119,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":191120,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":191120,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":191121,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":191122,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":191123,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":191124,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":191125,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":191126,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":191127,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":191128,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":191129,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":191130,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":191131,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":191132,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":191133,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":191134,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":191135,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":191136,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":191137,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":191138,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":191139,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":191140,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":191141,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":191142,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":191143,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":191143,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":191144,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":191146,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"}},"additionalProperties":false,"tags":{"completions":{"ansi":{"type":"key","display":"ansi","value":"ansi: ","description":"be 'ansi'","suggest_on_accept":true},"asciidoc":{"type":"key","display":"asciidoc","value":"asciidoc: ","description":"be 'asciidoc'","suggest_on_accept":true},"asciidoc_legacy":{"type":"key","display":"asciidoc_legacy","value":"asciidoc_legacy: ","description":"be 'asciidoc_legacy'","suggest_on_accept":true},"asciidoctor":{"type":"key","display":"asciidoctor","value":"asciidoctor: ","description":"be 'asciidoctor'","suggest_on_accept":true},"beamer":{"type":"key","display":"beamer","value":"beamer: ","description":"be 'beamer'","suggest_on_accept":true},"biblatex":{"type":"key","display":"biblatex","value":"biblatex: ","description":"be 'biblatex'","suggest_on_accept":true},"bibtex":{"type":"key","display":"bibtex","value":"bibtex: ","description":"be 'bibtex'","suggest_on_accept":true},"chunkedhtml":{"type":"key","display":"chunkedhtml","value":"chunkedhtml: ","description":"be 'chunkedhtml'","suggest_on_accept":true},"commonmark":{"type":"key","display":"commonmark","value":"commonmark: ","description":"be 'commonmark'","suggest_on_accept":true},"commonmark_x":{"type":"key","display":"commonmark_x","value":"commonmark_x: ","description":"be 'commonmark_x'","suggest_on_accept":true},"context":{"type":"key","display":"context","value":"context: ","description":"be 'context'","suggest_on_accept":true},"csljson":{"type":"key","display":"csljson","value":"csljson: ","description":"be 'csljson'","suggest_on_accept":true},"djot":{"type":"key","display":"djot","value":"djot: ","description":"be 'djot'","suggest_on_accept":true},"docbook":{"type":"key","display":"docbook","value":"docbook: ","description":"be 'docbook'","suggest_on_accept":true},"docx":{"type":"key","display":"docx","value":"docx: ","description":"be 'docx'","suggest_on_accept":true},"dokuwiki":{"type":"key","display":"dokuwiki","value":"dokuwiki: ","description":"be 'dokuwiki'","suggest_on_accept":true},"dzslides":{"type":"key","display":"dzslides","value":"dzslides: ","description":"be 'dzslides'","suggest_on_accept":true},"epub":{"type":"key","display":"epub","value":"epub: ","description":"be 'epub'","suggest_on_accept":true},"fb2":{"type":"key","display":"fb2","value":"fb2: ","description":"be 'fb2'","suggest_on_accept":true},"gfm":{"type":"key","display":"gfm","value":"gfm: ","description":"be 'gfm'","suggest_on_accept":true},"haddock":{"type":"key","display":"haddock","value":"haddock: ","description":"be 'haddock'","suggest_on_accept":true},"html":{"type":"key","display":"html","value":"html: ","description":"be 'html'","suggest_on_accept":true},"icml":{"type":"key","display":"icml","value":"icml: ","description":"be 'icml'","suggest_on_accept":true},"ipynb":{"type":"key","display":"ipynb","value":"ipynb: ","description":"be 'ipynb'","suggest_on_accept":true},"jats":{"type":"key","display":"jats","value":"jats: ","description":"be 'jats'","suggest_on_accept":true},"jats_archiving":{"type":"key","display":"jats_archiving","value":"jats_archiving: ","description":"be 'jats_archiving'","suggest_on_accept":true},"jats_articleauthoring":{"type":"key","display":"jats_articleauthoring","value":"jats_articleauthoring: ","description":"be 'jats_articleauthoring'","suggest_on_accept":true},"jats_publishing":{"type":"key","display":"jats_publishing","value":"jats_publishing: ","description":"be 'jats_publishing'","suggest_on_accept":true},"jira":{"type":"key","display":"jira","value":"jira: ","description":"be 'jira'","suggest_on_accept":true},"json":{"type":"key","display":"json","value":"json: ","description":"be 'json'","suggest_on_accept":true},"latex":{"type":"key","display":"latex","value":"latex: ","description":"be 'latex'","suggest_on_accept":true},"man":{"type":"key","display":"man","value":"man: ","description":"be 'man'","suggest_on_accept":true},"markdown":{"type":"key","display":"markdown","value":"markdown: ","description":"be 'markdown'","suggest_on_accept":true},"markdown_github":{"type":"key","display":"markdown_github","value":"markdown_github: ","description":"be 'markdown_github'","suggest_on_accept":true},"markdown_mmd":{"type":"key","display":"markdown_mmd","value":"markdown_mmd: ","description":"be 'markdown_mmd'","suggest_on_accept":true},"markdown_phpextra":{"type":"key","display":"markdown_phpextra","value":"markdown_phpextra: ","description":"be 'markdown_phpextra'","suggest_on_accept":true},"markdown_strict":{"type":"key","display":"markdown_strict","value":"markdown_strict: ","description":"be 'markdown_strict'","suggest_on_accept":true},"markua":{"type":"key","display":"markua","value":"markua: ","description":"be 'markua'","suggest_on_accept":true},"mediawiki":{"type":"key","display":"mediawiki","value":"mediawiki: ","description":"be 'mediawiki'","suggest_on_accept":true},"ms":{"type":"key","display":"ms","value":"ms: ","description":"be 'ms'","suggest_on_accept":true},"muse":{"type":"key","display":"muse","value":"muse: ","description":"be 'muse'","suggest_on_accept":true},"native":{"type":"key","display":"native","value":"native: ","description":"be 'native'","suggest_on_accept":true},"odt":{"type":"key","display":"odt","value":"odt: ","description":"be 'odt'","suggest_on_accept":true},"opendocument":{"type":"key","display":"opendocument","value":"opendocument: ","description":"be 'opendocument'","suggest_on_accept":true},"opml":{"type":"key","display":"opml","value":"opml: ","description":"be 'opml'","suggest_on_accept":true},"org":{"type":"key","display":"org","value":"org: ","description":"be 'org'","suggest_on_accept":true},"pdf":{"type":"key","display":"pdf","value":"pdf: ","description":"be 'pdf'","suggest_on_accept":true},"plain":{"type":"key","display":"plain","value":"plain: ","description":"be 'plain'","suggest_on_accept":true},"pptx":{"type":"key","display":"pptx","value":"pptx: ","description":"be 'pptx'","suggest_on_accept":true},"revealjs":{"type":"key","display":"revealjs","value":"revealjs: ","description":"be 'revealjs'","suggest_on_accept":true},"rst":{"type":"key","display":"rst","value":"rst: ","description":"be 'rst'","suggest_on_accept":true},"rtf":{"type":"key","display":"rtf","value":"rtf: ","description":"be 'rtf'","suggest_on_accept":true},"s5":{"type":"key","display":"s5","value":"s5: ","description":"be 's5'","suggest_on_accept":true},"slideous":{"type":"key","display":"slideous","value":"slideous: ","description":"be 'slideous'","suggest_on_accept":true},"slidy":{"type":"key","display":"slidy","value":"slidy: ","description":"be 'slidy'","suggest_on_accept":true},"tei":{"type":"key","display":"tei","value":"tei: ","description":"be 'tei'","suggest_on_accept":true},"texinfo":{"type":"key","display":"texinfo","value":"texinfo: ","description":"be 'texinfo'","suggest_on_accept":true},"textile":{"type":"key","display":"textile","value":"textile: ","description":"be 'textile'","suggest_on_accept":true},"typst":{"type":"key","display":"typst","value":"typst: ","description":"be 'typst'","suggest_on_accept":true},"xwiki":{"type":"key","display":"xwiki","value":"xwiki: ","description":"be 'xwiki'","suggest_on_accept":true},"zimwiki":{"type":"key","display":"zimwiki","value":"zimwiki: ","description":"be 'zimwiki'","suggest_on_accept":true},"md":{"type":"key","display":"md","value":"md: ","description":"be 'md'","suggest_on_accept":true},"hugo":{"type":"key","display":"hugo","value":"hugo: ","description":"be 'hugo'","suggest_on_accept":true},"dashboard":{"type":"key","display":"dashboard","value":"dashboard: ","description":"be 'dashboard'","suggest_on_accept":true},"email":{"type":"key","display":"email","value":"email: ","description":"be 'email'","suggest_on_accept":true}}}}],"description":"be all of: an object"}],"description":"be at least one of: the name of a pandoc-supported output format, an object, all of: an object","errorMessage":"${value} is not a valid output format.","$id":"front-matter-format"},"front-matter":{"_internalId":191668,"type":"anyOf","anyOf":[{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true},{"_internalId":191667,"type":"allOf","allOf":[{"_internalId":191226,"type":"object","description":"be a Quarto YAML front matter object","properties":{"execute":{"_internalId":5476,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},"format":{"_internalId":191225,"type":"ref","$ref":"front-matter-format","description":"be at least one of: the name of a pandoc-supported output format, an object, all of: an object"}},"patternProperties":{}},{"_internalId":191665,"type":"object","description":"be an object","properties":{"eval":{"_internalId":191227,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191228,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191229,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191230,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191231,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191232,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":191233,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":191234,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191235,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":191236,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191237,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191238,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":191239,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":191240,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191241,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191242,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191243,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":191244,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":191245,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":191246,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":191247,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":191248,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":191249,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":191250,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":191251,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":191458,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":191253,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":191254,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"institute":{"_internalId":191255,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"abstract":{"_internalId":191256,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":191257,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"notes":{"_internalId":191258,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":191259,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"doi":{"_internalId":191260,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"thanks":{"_internalId":191261,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":191262,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":191263,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":191264,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":191265,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":191266,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":191267,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":191268,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":191269,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":191270,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":191271,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":191272,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":191273,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":191274,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":191275,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":191276,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":191277,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":191278,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"filecolor":{"_internalId":191279,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":191280,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":191281,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":191282,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":191283,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"contrastcolor":{"_internalId":191284,"type":"ref","$ref":"quarto-resource-document-colors-contrastcolor","description":"quarto-resource-document-colors-contrastcolor"},"comments":{"_internalId":191285,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":191286,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":191287,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"logo":{"_internalId":191664,"type":"ref","$ref":"quarto-resource-document-typst-logo","description":"quarto-resource-document-typst-logo"},"orientation":{"_internalId":191289,"type":"ref","$ref":"quarto-resource-document-dashboard-orientation","description":"quarto-resource-document-dashboard-orientation"},"scrolling":{"_internalId":191290,"type":"ref","$ref":"quarto-resource-document-dashboard-scrolling","description":"quarto-resource-document-dashboard-scrolling"},"expandable":{"_internalId":191291,"type":"ref","$ref":"quarto-resource-document-dashboard-expandable","description":"quarto-resource-document-dashboard-expandable"},"nav-buttons":{"_internalId":191292,"type":"ref","$ref":"quarto-resource-document-dashboard-nav-buttons","description":"quarto-resource-document-dashboard-nav-buttons"},"editor":{"_internalId":191293,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":191294,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":191295,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":191296,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":191297,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":191455,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"type":{"_internalId":191299,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"relation":{"_internalId":191300,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":191301,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":191302,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":191303,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":191304,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":191305,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":191306,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":191307,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":191308,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":191309,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":191310,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":191311,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":191312,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":191313,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":191314,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":191315,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":191316,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":191317,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":191318,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":191319,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":191320,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":191321,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":191322,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":191323,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":191324,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":191325,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":191326,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":191327,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":191328,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":191329,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":191330,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":191331,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":191332,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":191333,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":191334,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":191335,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":191336,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":191337,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":191338,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":191339,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":191340,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":191341,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":191342,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":191343,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"font-paths":{"_internalId":191344,"type":"ref","$ref":"quarto-resource-document-fonts-font-paths","description":"quarto-resource-document-fonts-font-paths"},"CJKoptions":{"_internalId":191345,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":191346,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"pointsize":{"_internalId":191347,"type":"ref","$ref":"quarto-resource-document-fonts-pointsize","description":"quarto-resource-document-fonts-pointsize"},"lineheight":{"_internalId":191348,"type":"ref","$ref":"quarto-resource-document-fonts-lineheight","description":"quarto-resource-document-fonts-lineheight"},"linestretch":{"_internalId":191349,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"interlinespace":{"_internalId":191350,"type":"ref","$ref":"quarto-resource-document-fonts-interlinespace","description":"quarto-resource-document-fonts-interlinespace"},"linkstyle":{"_internalId":191351,"type":"ref","$ref":"quarto-resource-document-fonts-linkstyle","description":"quarto-resource-document-fonts-linkstyle"},"whitespace":{"_internalId":191352,"type":"ref","$ref":"quarto-resource-document-fonts-whitespace","description":"quarto-resource-document-fonts-whitespace"},"footnotes-hover":{"_internalId":191353,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"links-as-notes":{"_internalId":191354,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"reference-location":{"_internalId":191355,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"indenting":{"_internalId":191356,"type":"ref","$ref":"quarto-resource-document-formatting-indenting","description":"quarto-resource-document-formatting-indenting"},"adjusting":{"_internalId":191357,"type":"ref","$ref":"quarto-resource-document-formatting-adjusting","description":"quarto-resource-document-formatting-adjusting"},"hyphenate":{"_internalId":191358,"type":"ref","$ref":"quarto-resource-document-formatting-hyphenate","description":"quarto-resource-document-formatting-hyphenate"},"list-tables":{"_internalId":191359,"type":"ref","$ref":"quarto-resource-document-formatting-list-tables","description":"quarto-resource-document-formatting-list-tables"},"split-level":{"_internalId":191360,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":191361,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":191362,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":191362,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":191363,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":191364,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":191365,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":191366,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":191367,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":191368,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":191369,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":191370,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":191371,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":191372,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":191373,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":191374,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":191375,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":191376,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"track-changes":{"_internalId":191377,"type":"ref","$ref":"quarto-resource-document-hidden-track-changes","description":"quarto-resource-document-hidden-track-changes"},"keep-source":{"_internalId":191378,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":191379,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"prefer-html":{"_internalId":191380,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":191381,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":191382,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":191383,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":191384,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":191385,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":191386,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":191387,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":191388,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":191389,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"headertext":{"_internalId":191390,"type":"ref","$ref":"quarto-resource-document-includes-headertext","description":"quarto-resource-document-includes-headertext"},"footertext":{"_internalId":191391,"type":"ref","$ref":"quarto-resource-document-includes-footertext","description":"quarto-resource-document-includes-footertext"},"includesource":{"_internalId":191392,"type":"ref","$ref":"quarto-resource-document-includes-includesource","description":"quarto-resource-document-includes-includesource"},"footer":{"_internalId":191562,"type":"ref","$ref":"quarto-resource-document-reveal-content-footer","description":"quarto-resource-document-reveal-content-footer"},"header":{"_internalId":191394,"type":"ref","$ref":"quarto-resource-document-includes-header","description":"quarto-resource-document-includes-header"},"metadata-file":{"_internalId":191395,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":191396,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":191397,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":191398,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":191399,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"latex-auto-mk":{"_internalId":191400,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-mk","description":"quarto-resource-document-latexmk-latex-auto-mk"},"latex-auto-install":{"_internalId":191401,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-install","description":"quarto-resource-document-latexmk-latex-auto-install"},"latex-min-runs":{"_internalId":191402,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-min-runs","description":"quarto-resource-document-latexmk-latex-min-runs"},"latex-max-runs":{"_internalId":191403,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-max-runs","description":"quarto-resource-document-latexmk-latex-max-runs"},"latex-clean":{"_internalId":191404,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-clean","description":"quarto-resource-document-latexmk-latex-clean"},"latex-makeindex":{"_internalId":191405,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex","description":"quarto-resource-document-latexmk-latex-makeindex"},"latex-makeindex-opts":{"_internalId":191406,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex-opts","description":"quarto-resource-document-latexmk-latex-makeindex-opts"},"latex-tlmgr-opts":{"_internalId":191407,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tlmgr-opts","description":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"latex-output-dir":{"_internalId":191408,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-output-dir","description":"quarto-resource-document-latexmk-latex-output-dir"},"latex-tinytex":{"_internalId":191409,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tinytex","description":"quarto-resource-document-latexmk-latex-tinytex"},"latex-input-paths":{"_internalId":191410,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-input-paths","description":"quarto-resource-document-latexmk-latex-input-paths"},"documentclass":{"_internalId":191411,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":191412,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":191413,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":191414,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"brand-mode":{"_internalId":191415,"type":"ref","$ref":"quarto-resource-document-layout-brand-mode","description":"quarto-resource-document-layout-brand-mode"},"layout":{"_internalId":191416,"type":"ref","$ref":"quarto-resource-document-layout-layout","description":"quarto-resource-document-layout-layout"},"page-layout":{"_internalId":191417,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"page-width":{"_internalId":191418,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":191419,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":191420,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":191421,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":191422,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":191423,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":191424,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":191425,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":191426,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":191427,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":191428,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":191429,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":191430,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":191431,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":191432,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":191433,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":191434,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"revealjs-url":{"_internalId":191435,"type":"ref","$ref":"quarto-resource-document-library-revealjs-url","description":"quarto-resource-document-library-revealjs-url"},"s5-url":{"_internalId":191436,"type":"ref","$ref":"quarto-resource-document-library-s5-url","description":"quarto-resource-document-library-s5-url"},"slidy-url":{"_internalId":191437,"type":"ref","$ref":"quarto-resource-document-library-slidy-url","description":"quarto-resource-document-library-slidy-url"},"slideous-url":{"_internalId":191438,"type":"ref","$ref":"quarto-resource-document-library-slideous-url","description":"quarto-resource-document-library-slideous-url"},"lightbox":{"_internalId":191439,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":191440,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":191441,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":191442,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":191443,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":191444,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":191445,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":191446,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-subarticles":{"_internalId":191447,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"notebook-view":{"_internalId":191448,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":191449,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":191450,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":191451,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":191452,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":191453,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":191454,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"description":{"_internalId":191456,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"category":{"_internalId":191457,"type":"ref","$ref":"quarto-resource-document-metadata-category","description":"quarto-resource-document-metadata-category"},"license":{"_internalId":191459,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"title-meta":{"_internalId":191460,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"pagetitle":{"_internalId":191461,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":191462,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":191463,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":191464,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":191465,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":191466,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":191467,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":191468,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"number-offset":{"_internalId":191469,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"section-numbering":{"_internalId":191470,"type":"ref","$ref":"quarto-resource-document-numbering-section-numbering","description":"quarto-resource-document-numbering-section-numbering"},"shift-heading-level-by":{"_internalId":191471,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"pagenumbering":{"_internalId":191472,"type":"ref","$ref":"quarto-resource-document-numbering-pagenumbering","description":"quarto-resource-document-numbering-pagenumbering"},"top-level-division":{"_internalId":191473,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"ojs-engine":{"_internalId":191474,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"reference-doc":{"_internalId":191475,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":191476,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":191477,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":191478,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":191479,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":191480,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":191481,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":191482,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":191483,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":191484,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":191485,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":191486,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":191487,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":191488,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":191489,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":191490,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"pdf-engine":{"_internalId":191491,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":191492,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":191493,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"beamerarticle":{"_internalId":191494,"type":"ref","$ref":"quarto-resource-document-options-beamerarticle","description":"quarto-resource-document-options-beamerarticle"},"beameroption":{"_internalId":191495,"type":"ref","$ref":"quarto-resource-document-options-beameroption","description":"quarto-resource-document-options-beameroption"},"aspectratio":{"_internalId":191496,"type":"ref","$ref":"quarto-resource-document-options-aspectratio","description":"quarto-resource-document-options-aspectratio"},"titlegraphic":{"_internalId":191498,"type":"ref","$ref":"quarto-resource-document-options-titlegraphic","description":"quarto-resource-document-options-titlegraphic"},"navigation":{"_internalId":191499,"type":"ref","$ref":"quarto-resource-document-options-navigation","description":"quarto-resource-document-options-navigation"},"section-titles":{"_internalId":191500,"type":"ref","$ref":"quarto-resource-document-options-section-titles","description":"quarto-resource-document-options-section-titles"},"colortheme":{"_internalId":191501,"type":"ref","$ref":"quarto-resource-document-options-colortheme","description":"quarto-resource-document-options-colortheme"},"colorthemeoptions":{"_internalId":191502,"type":"ref","$ref":"quarto-resource-document-options-colorthemeoptions","description":"quarto-resource-document-options-colorthemeoptions"},"fonttheme":{"_internalId":191503,"type":"ref","$ref":"quarto-resource-document-options-fonttheme","description":"quarto-resource-document-options-fonttheme"},"fontthemeoptions":{"_internalId":191504,"type":"ref","$ref":"quarto-resource-document-options-fontthemeoptions","description":"quarto-resource-document-options-fontthemeoptions"},"innertheme":{"_internalId":191505,"type":"ref","$ref":"quarto-resource-document-options-innertheme","description":"quarto-resource-document-options-innertheme"},"innerthemeoptions":{"_internalId":191506,"type":"ref","$ref":"quarto-resource-document-options-innerthemeoptions","description":"quarto-resource-document-options-innerthemeoptions"},"outertheme":{"_internalId":191507,"type":"ref","$ref":"quarto-resource-document-options-outertheme","description":"quarto-resource-document-options-outertheme"},"outerthemeoptions":{"_internalId":191508,"type":"ref","$ref":"quarto-resource-document-options-outerthemeoptions","description":"quarto-resource-document-options-outerthemeoptions"},"themeoptions":{"_internalId":191509,"type":"ref","$ref":"quarto-resource-document-options-themeoptions","description":"quarto-resource-document-options-themeoptions"},"section":{"_internalId":191510,"type":"ref","$ref":"quarto-resource-document-options-section","description":"quarto-resource-document-options-section"},"variant":{"_internalId":191511,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":191512,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"ipynb-output":{"_internalId":191513,"type":"ref","$ref":"quarto-resource-document-options-ipynb-output","description":"quarto-resource-document-options-ipynb-output"},"quarto-required":{"_internalId":191514,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":191515,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"pdfa":{"_internalId":191516,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfa","description":"quarto-resource-document-pdfa-pdfa"},"pdfaiccprofile":{"_internalId":191517,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaiccprofile","description":"quarto-resource-document-pdfa-pdfaiccprofile"},"pdfaintent":{"_internalId":191518,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaintent","description":"quarto-resource-document-pdfa-pdfaintent"},"bibliography":{"_internalId":191519,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":191520,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":191521,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":191522,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"cite-method":{"_internalId":191523,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":191524,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":191525,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":191526,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":191527,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"bibliographystyle":{"_internalId":191528,"type":"ref","$ref":"quarto-resource-document-references-bibliographystyle","description":"quarto-resource-document-references-bibliographystyle"},"biblio-title":{"_internalId":191529,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":191530,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":191531,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":191532,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":191533,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":191534,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":191535,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":191535,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":191536,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":191537,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":191538,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":191539,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":191540,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":191541,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":191542,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":191543,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":191544,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":191545,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":191546,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":191547,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":191548,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":191549,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-typ":{"_internalId":191550,"type":"ref","$ref":"quarto-resource-document-render-keep-typ","description":"quarto-resource-document-render-keep-typ"},"keep-tex":{"_internalId":191551,"type":"ref","$ref":"quarto-resource-document-render-keep-tex","description":"quarto-resource-document-render-keep-tex"},"extract-media":{"_internalId":191552,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":191553,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":191554,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":191555,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":191556,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":191557,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"html-pre-tag-processing":{"_internalId":191558,"type":"ref","$ref":"quarto-resource-document-render-html-pre-tag-processing","description":"quarto-resource-document-render-html-pre-tag-processing"},"css-property-processing":{"_internalId":191559,"type":"ref","$ref":"quarto-resource-document-render-css-property-processing","description":"quarto-resource-document-render-css-property-processing"},"use-rsvg-convert":{"_internalId":191560,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"scrollable":{"_internalId":191563,"type":"ref","$ref":"quarto-resource-document-reveal-content-scrollable","description":"quarto-resource-document-reveal-content-scrollable"},"smaller":{"_internalId":191564,"type":"ref","$ref":"quarto-resource-document-reveal-content-smaller","description":"quarto-resource-document-reveal-content-smaller"},"output-location":{"_internalId":191565,"type":"ref","$ref":"quarto-resource-document-reveal-content-output-location","description":"quarto-resource-document-reveal-content-output-location"},"embedded":{"_internalId":191566,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-embedded","description":"quarto-resource-document-reveal-hidden-embedded"},"display":{"_internalId":191567,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-display","description":"quarto-resource-document-reveal-hidden-display"},"auto-stretch":{"_internalId":191568,"type":"ref","$ref":"quarto-resource-document-reveal-layout-auto-stretch","description":"quarto-resource-document-reveal-layout-auto-stretch"},"width":{"_internalId":191569,"type":"ref","$ref":"quarto-resource-document-reveal-layout-width","description":"quarto-resource-document-reveal-layout-width"},"height":{"_internalId":191570,"type":"ref","$ref":"quarto-resource-document-reveal-layout-height","description":"quarto-resource-document-reveal-layout-height"},"margin":{"_internalId":191571,"type":"ref","$ref":"quarto-resource-document-reveal-layout-margin","description":"quarto-resource-document-reveal-layout-margin"},"min-scale":{"_internalId":191572,"type":"ref","$ref":"quarto-resource-document-reveal-layout-min-scale","description":"quarto-resource-document-reveal-layout-min-scale"},"max-scale":{"_internalId":191573,"type":"ref","$ref":"quarto-resource-document-reveal-layout-max-scale","description":"quarto-resource-document-reveal-layout-max-scale"},"center":{"_internalId":191574,"type":"ref","$ref":"quarto-resource-document-reveal-layout-center","description":"quarto-resource-document-reveal-layout-center"},"disable-layout":{"_internalId":191575,"type":"ref","$ref":"quarto-resource-document-reveal-layout-disable-layout","description":"quarto-resource-document-reveal-layout-disable-layout"},"code-block-height":{"_internalId":191576,"type":"ref","$ref":"quarto-resource-document-reveal-layout-code-block-height","description":"quarto-resource-document-reveal-layout-code-block-height"},"preview-links":{"_internalId":191577,"type":"ref","$ref":"quarto-resource-document-reveal-media-preview-links","description":"quarto-resource-document-reveal-media-preview-links"},"auto-play-media":{"_internalId":191578,"type":"ref","$ref":"quarto-resource-document-reveal-media-auto-play-media","description":"quarto-resource-document-reveal-media-auto-play-media"},"preload-iframes":{"_internalId":191579,"type":"ref","$ref":"quarto-resource-document-reveal-media-preload-iframes","description":"quarto-resource-document-reveal-media-preload-iframes"},"view-distance":{"_internalId":191580,"type":"ref","$ref":"quarto-resource-document-reveal-media-view-distance","description":"quarto-resource-document-reveal-media-view-distance"},"mobile-view-distance":{"_internalId":191581,"type":"ref","$ref":"quarto-resource-document-reveal-media-mobile-view-distance","description":"quarto-resource-document-reveal-media-mobile-view-distance"},"parallax-background-image":{"_internalId":191582,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-image","description":"quarto-resource-document-reveal-media-parallax-background-image"},"parallax-background-size":{"_internalId":191583,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-size","description":"quarto-resource-document-reveal-media-parallax-background-size"},"parallax-background-horizontal":{"_internalId":191584,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-horizontal","description":"quarto-resource-document-reveal-media-parallax-background-horizontal"},"parallax-background-vertical":{"_internalId":191585,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-vertical","description":"quarto-resource-document-reveal-media-parallax-background-vertical"},"progress":{"_internalId":191586,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-progress","description":"quarto-resource-document-reveal-navigation-progress"},"history":{"_internalId":191587,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-history","description":"quarto-resource-document-reveal-navigation-history"},"navigation-mode":{"_internalId":191588,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-navigation-mode","description":"quarto-resource-document-reveal-navigation-navigation-mode"},"touch":{"_internalId":191589,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-touch","description":"quarto-resource-document-reveal-navigation-touch"},"keyboard":{"_internalId":191590,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-keyboard","description":"quarto-resource-document-reveal-navigation-keyboard"},"mouse-wheel":{"_internalId":191591,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-mouse-wheel","description":"quarto-resource-document-reveal-navigation-mouse-wheel"},"hide-inactive-cursor":{"_internalId":191592,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-inactive-cursor","description":"quarto-resource-document-reveal-navigation-hide-inactive-cursor"},"hide-cursor-time":{"_internalId":191593,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-cursor-time","description":"quarto-resource-document-reveal-navigation-hide-cursor-time"},"loop":{"_internalId":191594,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-loop","description":"quarto-resource-document-reveal-navigation-loop"},"shuffle":{"_internalId":191595,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-shuffle","description":"quarto-resource-document-reveal-navigation-shuffle"},"controls":{"_internalId":191596,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls","description":"quarto-resource-document-reveal-navigation-controls"},"controls-layout":{"_internalId":191597,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-layout","description":"quarto-resource-document-reveal-navigation-controls-layout"},"controls-tutorial":{"_internalId":191598,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-tutorial","description":"quarto-resource-document-reveal-navigation-controls-tutorial"},"controls-back-arrows":{"_internalId":191599,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-back-arrows","description":"quarto-resource-document-reveal-navigation-controls-back-arrows"},"auto-slide":{"_internalId":191600,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide","description":"quarto-resource-document-reveal-navigation-auto-slide"},"auto-slide-stoppable":{"_internalId":191601,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-stoppable","description":"quarto-resource-document-reveal-navigation-auto-slide-stoppable"},"auto-slide-method":{"_internalId":191602,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-method","description":"quarto-resource-document-reveal-navigation-auto-slide-method"},"default-timing":{"_internalId":191603,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-default-timing","description":"quarto-resource-document-reveal-navigation-default-timing"},"pause":{"_internalId":191604,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-pause","description":"quarto-resource-document-reveal-navigation-pause"},"help":{"_internalId":191605,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-help","description":"quarto-resource-document-reveal-navigation-help"},"hash":{"_internalId":191606,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash","description":"quarto-resource-document-reveal-navigation-hash"},"hash-type":{"_internalId":191607,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-type","description":"quarto-resource-document-reveal-navigation-hash-type"},"hash-one-based-index":{"_internalId":191608,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-one-based-index","description":"quarto-resource-document-reveal-navigation-hash-one-based-index"},"respond-to-hash-changes":{"_internalId":191609,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-respond-to-hash-changes","description":"quarto-resource-document-reveal-navigation-respond-to-hash-changes"},"fragment-in-url":{"_internalId":191610,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-fragment-in-url","description":"quarto-resource-document-reveal-navigation-fragment-in-url"},"slide-tone":{"_internalId":191611,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-slide-tone","description":"quarto-resource-document-reveal-navigation-slide-tone"},"jump-to-slide":{"_internalId":191612,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-jump-to-slide","description":"quarto-resource-document-reveal-navigation-jump-to-slide"},"pdf-max-pages-per-slide":{"_internalId":191613,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide","description":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide"},"pdf-separate-fragments":{"_internalId":191614,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-separate-fragments","description":"quarto-resource-document-reveal-print-pdf-separate-fragments"},"pdf-page-height-offset":{"_internalId":191615,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-page-height-offset","description":"quarto-resource-document-reveal-print-pdf-page-height-offset"},"overview":{"_internalId":191616,"type":"ref","$ref":"quarto-resource-document-reveal-tools-overview","description":"quarto-resource-document-reveal-tools-overview"},"menu":{"_internalId":191617,"type":"ref","$ref":"quarto-resource-document-reveal-tools-menu","description":"quarto-resource-document-reveal-tools-menu"},"chalkboard":{"_internalId":191618,"type":"ref","$ref":"quarto-resource-document-reveal-tools-chalkboard","description":"quarto-resource-document-reveal-tools-chalkboard"},"multiplex":{"_internalId":191619,"type":"ref","$ref":"quarto-resource-document-reveal-tools-multiplex","description":"quarto-resource-document-reveal-tools-multiplex"},"scroll-view":{"_internalId":191620,"type":"ref","$ref":"quarto-resource-document-reveal-tools-scroll-view","description":"quarto-resource-document-reveal-tools-scroll-view"},"transition":{"_internalId":191621,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition","description":"quarto-resource-document-reveal-transitions-transition"},"transition-speed":{"_internalId":191622,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition-speed","description":"quarto-resource-document-reveal-transitions-transition-speed"},"background-transition":{"_internalId":191623,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-background-transition","description":"quarto-resource-document-reveal-transitions-background-transition"},"fragments":{"_internalId":191624,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-fragments","description":"quarto-resource-document-reveal-transitions-fragments"},"auto-animate":{"_internalId":191625,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate","description":"quarto-resource-document-reveal-transitions-auto-animate"},"auto-animate-easing":{"_internalId":191626,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-easing","description":"quarto-resource-document-reveal-transitions-auto-animate-easing"},"auto-animate-duration":{"_internalId":191627,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-duration","description":"quarto-resource-document-reveal-transitions-auto-animate-duration"},"auto-animate-unmatched":{"_internalId":191628,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-unmatched","description":"quarto-resource-document-reveal-transitions-auto-animate-unmatched"},"auto-animate-styles":{"_internalId":191629,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-styles","description":"quarto-resource-document-reveal-transitions-auto-animate-styles"},"incremental":{"_internalId":191630,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":191631,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"slide-number":{"_internalId":191632,"type":"ref","$ref":"quarto-resource-document-slides-slide-number","description":"quarto-resource-document-slides-slide-number"},"show-slide-number":{"_internalId":191633,"type":"ref","$ref":"quarto-resource-document-slides-show-slide-number","description":"quarto-resource-document-slides-show-slide-number"},"title-slide-attributes":{"_internalId":191634,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-attributes","description":"quarto-resource-document-slides-title-slide-attributes"},"title-slide-style":{"_internalId":191635,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-style","description":"quarto-resource-document-slides-title-slide-style"},"center-title-slide":{"_internalId":191636,"type":"ref","$ref":"quarto-resource-document-slides-center-title-slide","description":"quarto-resource-document-slides-center-title-slide"},"show-notes":{"_internalId":191637,"type":"ref","$ref":"quarto-resource-document-slides-show-notes","description":"quarto-resource-document-slides-show-notes"},"rtl":{"_internalId":191638,"type":"ref","$ref":"quarto-resource-document-slides-rtl","description":"quarto-resource-document-slides-rtl"},"df-print":{"_internalId":191639,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":191640,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"columns":{"_internalId":191641,"type":"ref","$ref":"quarto-resource-document-text-columns","description":"quarto-resource-document-text-columns"},"tab-stop":{"_internalId":191642,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":191643,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":191644,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":191645,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":191646,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":191647,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":191647,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-indent":{"_internalId":191648,"type":"ref","$ref":"quarto-resource-document-toc-toc-indent","description":"quarto-resource-document-toc-toc-indent"},"toc-depth":{"_internalId":191649,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":191650,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":191651,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":191652,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"lof":{"_internalId":191653,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":191654,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"},"search":{"_internalId":191655,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":191656,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":191657,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":191658,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":191659,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":191660,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":191661,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":191662,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":191663,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,affiliation,copyright,article,journal,institute,abstract,abstract-title,notes,tags,doi,thanks,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,contrastcolor,comments,crossref,crossrefs-hover,logo,orientation,scrolling,expandable,nav-buttons,editor,zotero,identifier,creator,contributor,subject,type,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,font-paths,CJKoptions,microtypeoptions,pointsize,lineheight,linestretch,interlinespace,linkstyle,whitespace,footnotes-hover,links-as-notes,reference-location,indenting,adjusting,hyphenate,list-tables,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,track-changes,keep-source,keep-hidden,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,headertext,footertext,includesource,footer,header,metadata-file,metadata-files,lang,language,dir,latex-auto-mk,latex-auto-install,latex-min-runs,latex-max-runs,latex-clean,latex-makeindex,latex-makeindex-opts,latex-tlmgr-opts,latex-output-dir,latex-tinytex,latex-input-paths,documentclass,classoption,pagestyle,papersize,brand-mode,layout,page-layout,page-width,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,revealjs-url,s5-url,slidy-url,slideous-url,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-subarticles,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,description,category,license,title-meta,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,number-offset,section-numbering,shift-heading-level-by,pagenumbering,top-level-division,ojs-engine,reference-doc,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,pdf-engine,pdf-engine-opt,pdf-engine-opts,beamerarticle,beameroption,aspectratio,titlegraphic,navigation,section-titles,colortheme,colorthemeoptions,fonttheme,fontthemeoptions,innertheme,innerthemeoptions,outertheme,outerthemeoptions,themeoptions,section,variant,markdown-headings,ipynb-output,quarto-required,preview-mode,pdfa,pdfaiccprofile,pdfaintent,bibliography,csl,citations-hover,citation-location,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,bibliographystyle,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-typ,keep-tex,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,html-pre-tag-processing,css-property-processing,use-rsvg-convert,scrollable,smaller,output-location,embedded,display,auto-stretch,width,height,margin,min-scale,max-scale,center,disable-layout,code-block-height,preview-links,auto-play-media,preload-iframes,view-distance,mobile-view-distance,parallax-background-image,parallax-background-size,parallax-background-horizontal,parallax-background-vertical,progress,history,navigation-mode,touch,keyboard,mouse-wheel,hide-inactive-cursor,hide-cursor-time,loop,shuffle,controls,controls-layout,controls-tutorial,controls-back-arrows,auto-slide,auto-slide-stoppable,auto-slide-method,default-timing,pause,help,hash,hash-type,hash-one-based-index,respond-to-hash-changes,fragment-in-url,slide-tone,jump-to-slide,pdf-max-pages-per-slide,pdf-separate-fragments,pdf-page-height-offset,overview,menu,chalkboard,multiplex,scroll-view,transition,transition-speed,background-transition,fragments,auto-animate,auto-animate-easing,auto-animate-duration,auto-animate-unmatched,auto-animate-styles,incremental,slide-level,slide-number,show-slide-number,title-slide-attributes,title-slide-style,center-title-slide,show-notes,rtl,df-print,wrap,columns,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-indent,toc-depth,toc-location,toc-title,toc-expand,lof,lot,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^nav_buttons$|^navButtons$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^cjkmainfont$|^cjkmainfont$|^font_paths$|^fontPaths$|^cjkoptions$|^cjkoptions$|^footnotes_hover$|^footnotesHover$|^links_as_notes$|^linksAsNotes$|^reference_location$|^referenceLocation$|^list_tables$|^listTables$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^track_changes$|^trackChanges$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^latex_auto_mk$|^latexAutoMk$|^latex_auto_install$|^latexAutoInstall$|^latex_min_runs$|^latexMinRuns$|^latex_max_runs$|^latexMaxRuns$|^latex_clean$|^latexClean$|^latex_makeindex$|^latexMakeindex$|^latex_makeindex_opts$|^latexMakeindexOpts$|^latex_tlmgr_opts$|^latexTlmgrOpts$|^latex_output_dir$|^latexOutputDir$|^latex_tinytex$|^latexTinytex$|^latex_input_paths$|^latexInputPaths$|^brand_mode$|^brandMode$|^page_layout$|^pageLayout$|^page_width$|^pageWidth$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^revealjs_url$|^revealjsUrl$|^s5_url$|^s5Url$|^slidy_url$|^slidyUrl$|^slideous_url$|^slideousUrl$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_subarticles$|^notebookSubarticles$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_meta$|^titleMeta$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^section_numbering$|^sectionNumbering$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^ojs_engine$|^ojsEngine$|^reference_doc$|^referenceDoc$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^section_titles$|^sectionTitles$|^markdown_headings$|^markdownHeadings$|^ipynb_output$|^ipynbOutput$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_typ$|^keepTyp$|^keep_tex$|^keepTex$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^html_pre_tag_processing$|^htmlPreTagProcessing$|^css_property_processing$|^cssPropertyProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^output_location$|^outputLocation$|^auto_stretch$|^autoStretch$|^min_scale$|^minScale$|^max_scale$|^maxScale$|^disable_layout$|^disableLayout$|^code_block_height$|^codeBlockHeight$|^preview_links$|^previewLinks$|^auto_play_media$|^autoPlayMedia$|^preload_iframes$|^preloadIframes$|^view_distance$|^viewDistance$|^mobile_view_distance$|^mobileViewDistance$|^parallax_background_image$|^parallaxBackgroundImage$|^parallax_background_size$|^parallaxBackgroundSize$|^parallax_background_horizontal$|^parallaxBackgroundHorizontal$|^parallax_background_vertical$|^parallaxBackgroundVertical$|^navigation_mode$|^navigationMode$|^mouse_wheel$|^mouseWheel$|^hide_inactive_cursor$|^hideInactiveCursor$|^hide_cursor_time$|^hideCursorTime$|^controls_layout$|^controlsLayout$|^controls_tutorial$|^controlsTutorial$|^controls_back_arrows$|^controlsBackArrows$|^auto_slide$|^autoSlide$|^auto_slide_stoppable$|^autoSlideStoppable$|^auto_slide_method$|^autoSlideMethod$|^default_timing$|^defaultTiming$|^hash_type$|^hashType$|^hash_one_based_index$|^hashOneBasedIndex$|^respond_to_hash_changes$|^respondToHashChanges$|^fragment_in_url$|^fragmentInUrl$|^slide_tone$|^slideTone$|^jump_to_slide$|^jumpToSlide$|^pdf_max_pages_per_slide$|^pdfMaxPagesPerSlide$|^pdf_separate_fragments$|^pdfSeparateFragments$|^pdf_page_height_offset$|^pdfPageHeightOffset$|^scroll_view$|^scrollView$|^transition_speed$|^transitionSpeed$|^background_transition$|^backgroundTransition$|^auto_animate$|^autoAnimate$|^auto_animate_easing$|^autoAnimateEasing$|^auto_animate_duration$|^autoAnimateDuration$|^auto_animate_unmatched$|^autoAnimateUnmatched$|^auto_animate_styles$|^autoAnimateStyles$|^slide_level$|^slideLevel$|^slide_number$|^slideNumber$|^show_slide_number$|^showSlideNumber$|^title_slide_attributes$|^titleSlideAttributes$|^title_slide_style$|^titleSlideStyle$|^center_title_slide$|^centerTitleSlide$|^show_notes$|^showNotes$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_indent$|^tocIndent$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":5476,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},{"_internalId":191666,"type":"ref","$ref":"quarto-dev-schema","description":""}],"description":"be all of: a Quarto YAML front matter object, an object, a front-matter-execute object, ref"}],"description":"be at least one of: the null value, all of: a Quarto YAML front matter object, an object, a front-matter-execute object, ref","$id":"front-matter"},"project-config-fields":{"_internalId":191756,"type":"object","description":"be an object","properties":{"project":{"_internalId":191734,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string"},"type":{"type":"string","description":"be a string","completions":["default","website","book","manuscript"],"tags":{"description":"Project type (`default`, `website`, `book`, or `manuscript`)"},"documentation":"Project type (default, website,\nbook, or manuscript)"},"render":{"_internalId":191682,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Files to render (defaults to all files)"},"documentation":"Files to render (defaults to all files)"},"execute-dir":{"_internalId":191685,"type":"enum","enum":["file","project"],"description":"be one of: `file`, `project`","completions":["file","project"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Working directory for computations","long":"Control the working directory for computations. \n\n- `file`: Use the directory of the file that is currently executing.\n- `project`: Use the root directory of the project.\n"}},"documentation":"Working directory for computations"},"output-dir":{"type":"string","description":"be a string","tags":{"description":"Output directory"},"documentation":"Output directory"},"lib-dir":{"type":"string","description":"be a string","tags":{"description":"HTML library (JS/CSS/etc.) directory"},"documentation":"HTML library (JS/CSS/etc.) directory"},"resources":{"_internalId":191697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Additional file resources to be copied to output directory"},{"_internalId":191696,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Additional file resources to be copied to output directory"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"brand":{"_internalId":191702,"type":"ref","$ref":"brand-path-only-light-dark","description":"be brand-path-only-light-dark","tags":{"description":"Path to brand.yml or object with light and dark paths to brand.yml\n"},"documentation":"Path to brand.yml or object with light and dark paths to\nbrand.yml"},"preview":{"_internalId":191707,"type":"ref","$ref":"project-preview","description":"be project-preview","tags":{"description":"Options for `quarto preview`"},"documentation":"Options for quarto preview"},"pre-render":{"_internalId":191715,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":191714,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a pre-render step"},"documentation":"Scripts to run as a pre-render step"},"post-render":{"_internalId":191723,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":191722,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a post-render step"},"documentation":"Scripts to run as a post-render step"},"detect":{"_internalId":191733,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":191732,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},"completions":[],"tags":{"hidden":true,"description":"Array of paths used to detect the project type within a directory"},"documentation":"Array of paths used to detect the project type within a directory"}},"patternProperties":{},"closed":true,"documentation":"Project configuration.","tags":{"description":"Project configuration."}},"website":{"_internalId":191737,"type":"ref","$ref":"base-website","description":"be base-website","documentation":"Website configuration.","tags":{"description":"Website configuration."}},"book":{"_internalId":1694,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Book title"},"documentation":"Book title"},"description":{"type":"string","description":"be a string","tags":{"description":"Description metadata for HTML version of book"},"documentation":"Description metadata for HTML version of book"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The path to the favicon for this website"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"Base URL for published website"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Base URL for website source code repository"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"The value of the target attribute for repo links"},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"The value of the rel attribute for repo links"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Subdirectory of repository containing website"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Branch of website source code (defaults to main)"},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Links to source repository actions"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"The Google tracking Id or measurement Id of this website."},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Storage options for Google Analytics data"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Anonymize the user ip address."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The version number of Google Analytics to use."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"Enable Google Analytics for this website"},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"Path to a file containing the Plausible Analytics script snippet"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The content of the announcement"},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Whether this announcement may be dismissed by the user."},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The icon to display in the announcement"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The position of the announcement."},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"Provides an announcement displayed at the top of the page."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The type of consent that should be requested"},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The style of the consent banner that is displayed"},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"The url to the website’s cookie or privacy policy."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"Request cookie consent before enabling scripts that set cookies"},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Location for search widget (navbar or\nsidebar)"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"Type of search UI (overlay or textbox)"},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"Number of matches to display (defaults to 20)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"Matches after which to collapse additional results"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Provide button for copying search link"},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"The name of the index to use when performing a search"},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"The unique ID used by Algolia to identify your application"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"The Search-Only API key to use to connect to Algolia"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Enable tracking of Algolia analytics events"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Field that contains the URL of index entries"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Field that contains the title of index entries"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"Field that contains the text of index entries"},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Field that contains the section of index entries"}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Additional parameters to pass when executing a search"}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Use external Algolia search index"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Provide full text search for website"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar title. Uses the project title if none is specified."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"Specification of image that will be displayed to the left of the\ntitle."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"The navbar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The navbar’s foreground color (named or hex color)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"Include a search box in the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"Always show the navbar (keeping it pinned)."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"List of items for the left side of the navbar."},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"List of items for the right side of the navbar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Top navigation options"},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"The identifier for this sidebar."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"The sidebar title. Uses the project title if none is specified."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"Specification of image that will be displayed in the sidebar."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Alternate text for the logo image."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"Include a search control in the sidebar."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"List of sidebar tools"},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"List of items for the sidebar"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"The style of sidebar (docked or\nfloating)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The sidebar’s background color (named or hex color)."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"The sidebar’s foreground color (named or hex color)."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below sidebar content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Side navigation options"},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Markdown to insert below each page’s body."},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Provide next and previous article links in footer"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Provide a ‘back to top’ navigation button"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Shared page footer"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"Publish open graph metadata"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"Publish twitter card metadata"},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"A list of other links to appear below the TOC."},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"A list of code links to appear with this document."},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"A list of input documents that should be treated as drafts"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"How to handle drafts that are encountered."},"subtitle":{"type":"string","description":"be a string","tags":{"description":"Book subtitle"},"documentation":"Book subtitle"},"author":{"_internalId":912,"type":"anyOf","anyOf":[{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Author or authors of the book"},{"_internalId":911,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Author or authors of the book"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string","tags":{"description":"Book publication date"},"documentation":"Book publication date"},"date-format":{"type":"string","description":"be a string","tags":{"description":"Format string for dates in the book"},"documentation":"Format string for dates in the book"},"abstract":{"type":"string","description":"be a string","tags":{"description":"Book abstract"},"documentation":"Book abstract"},"chapters":{"_internalId":925,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book part and chapter files"},"documentation":"Book part and chapter files"},"appendices":{"_internalId":930,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book appendix files"},"documentation":"Book appendix files"},"references":{"type":"string","description":"be a string","tags":{"description":"Book references file"},"documentation":"Book references file"},"output-file":{"type":"string","description":"be a string","tags":{"description":"Base name for single-file output (e.g. PDF, ePub, docx)"},"documentation":"Base name for single-file output (e.g. PDF, ePub, docx)"},"cover-image":{"type":"string","description":"be a string","tags":{"description":"Cover image (used in HTML and ePub formats)"},"documentation":"Cover image (used in HTML and ePub formats)"},"cover-image-alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for cover image (used in HTML format)"},"documentation":"Alternative text for cover image (used in HTML format)"},"sharing":{"_internalId":945,"type":"anyOf","anyOf":[{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},{"_internalId":944,"type":"array","description":"be an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","items":{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"}}],"description":"be at least one of: one of: `twitter`, `facebook`, `linkedin`, an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","tags":{"complete-from":["anyOf",0]}},"downloads":{"_internalId":952,"type":"anyOf","anyOf":[{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},{"_internalId":951,"type":"array","description":"be an array of values, where each element must be one of: `pdf`, `epub`, `docx`","items":{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"}}],"description":"be at least one of: one of: `pdf`, `epub`, `docx`, an array of values, where each element must be one of: `pdf`, `epub`, `docx`","tags":{"complete-from":["anyOf",0]}},"tools":{"_internalId":958,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":957,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Custom tools for navbar or sidebar"},"documentation":"Custom tools for navbar or sidebar"},"doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The Digital Object Identifier for this book."},"documentation":"The Digital Object Identifier for this book."},"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"A url to the abstract for this item."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Date the item has been accessed."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Archive storing the item"},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Collection the item is part of within an archive."},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"Geographic location of the archive."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Date the item was initially available"},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Call number (to locate the item in a library)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology)."},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"Composer (e.g. of a musical score)."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Title of the container holding the item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Short/abbreviated form of container-title;","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Director (e.g. of a film)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"The editor of the item."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Combined editor and translator of a work."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Date the event related to an item took place."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Executive producer of the item (e.g. of a television series)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A url to the full text for this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Type, class, or subtype of the item"},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"id":{"_internalId":1529,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"A value which uniquely identifies this item."},"documentation":"A value which uniquely identifies this item."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Interviewer (e.g. of an interview)."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"International Standard Serial Number."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"Issue number of the item or container holding the item"},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"Date the item was issued/published."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Keyword(s) or tag(s) attached to the item."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"The language of the item (used only for citation of the item)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"The license information applicable to an item."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"A cite-specific pinpointer within the item."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Narrator (e.g. of an audio book)."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"Number identifying the item (e.g. a report number)."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Total number of pages of the cited item."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"The original creator of a work."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Issue date of the original version."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"Title of the specific part of an item being cited."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"A url to the pdf for this item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"PubMed Central reference number."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"PubMed reference number."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"Printing number of the item or container holding the item."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"A public url for this item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"The publisher of the item."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"The geographic location of the publisher."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Recipient (e.g. of a letter)."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Author of the item reviewed by the current item."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Title of the item reviewed by the current item."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Scale of e.g. a map or model."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Creator of a series (e.g. of a television series)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Short/abbreviated form oftitle.","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Translator"},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"The type\nof the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Version of the item (e.g. “2.0.9” for a software program)."},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"Title of the volume of the item or container holding the item."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Book configuration."},"documentation":"Book configuration."},"manuscript":{"_internalId":191747,"type":"ref","$ref":"manuscript-schema","description":"be manuscript-schema","documentation":"Manuscript configuration","tags":{"description":"Manuscript configuration"}},"type":{"_internalId":191750,"type":"enum","enum":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"description":"be 'cd93424f-d5ba-4e95-91c6-1890eab59fc7'","completions":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"exhaustiveCompletions":true,"documentation":"internal-schema-hack","tags":{"description":"internal-schema-hack","hidden":true}},"engines":{"_internalId":191755,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’.","tags":{"description":"List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'."}}},"patternProperties":{},"$id":"project-config-fields"},"project-config":{"_internalId":191787,"type":"allOf","allOf":[{"_internalId":191785,"type":"object","description":"be a Quarto YAML front matter object","properties":{"execute":{"_internalId":191782,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},"format":{"_internalId":191783,"type":"ref","$ref":"front-matter-format","description":"be at least one of: the name of a pandoc-supported output format, an object, all of: an object"},"profile":{"_internalId":191784,"type":"ref","$ref":"project-profile","description":"Specify a default profile and profile groups"}},"patternProperties":{}},{"_internalId":191782,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},{"_internalId":191786,"type":"ref","$ref":"front-matter","description":"be at least one of: the null value, all of: a Quarto YAML front matter object, an object, a front-matter-execute object, ref"},{"_internalId":191757,"type":"ref","$ref":"project-config-fields","description":"be an object"}],"description":"be a project configuration object","$id":"project-config"},"engine-markdown":{"_internalId":191835,"type":"object","description":"be an object","properties":{"label":{"_internalId":191789,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191790,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191791,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"title":{"_internalId":191792,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191793,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191794,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191795,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191796,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"content":{"_internalId":191797,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191798,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191799,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191800,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191801,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191802,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191803,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191804,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":191805,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":191806,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"fig-cap":{"_internalId":191807,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":191808,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":191809,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":191810,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":191811,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":191812,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191813,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":191814,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"layout":{"_internalId":191815,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":191816,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":191817,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":191818,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":191819,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":191820,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":191821,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":191822,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":191823,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191824,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191825,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":191826,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":191827,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"html-table-processing":{"_internalId":191828,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":191829,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191830,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191831,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191832,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":191833,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":191834,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,title,padding,expandable,width,height,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,html-table-processing,output,warning,error,include,panel,output-location","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-markdown"},"engine-knitr":{"_internalId":191930,"type":"object","description":"be an object","properties":{"label":{"_internalId":191837,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191838,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191839,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"cache":{"_internalId":191840,"type":"ref","$ref":"quarto-resource-cell-cache-cache","description":"quarto-resource-cell-cache-cache"},"cache-path":{"_internalId":191841,"type":"ref","$ref":"quarto-resource-cell-cache-cache-path","description":"quarto-resource-cell-cache-cache-path"},"cache-vars":{"_internalId":191842,"type":"ref","$ref":"quarto-resource-cell-cache-cache-vars","description":"quarto-resource-cell-cache-cache-vars"},"cache-globals":{"_internalId":191843,"type":"ref","$ref":"quarto-resource-cell-cache-cache-globals","description":"quarto-resource-cell-cache-cache-globals"},"cache-lazy":{"_internalId":191844,"type":"ref","$ref":"quarto-resource-cell-cache-cache-lazy","description":"quarto-resource-cell-cache-cache-lazy"},"cache-rebuild":{"_internalId":191845,"type":"ref","$ref":"quarto-resource-cell-cache-cache-rebuild","description":"quarto-resource-cell-cache-cache-rebuild"},"cache-comments":{"_internalId":191846,"type":"ref","$ref":"quarto-resource-cell-cache-cache-comments","description":"quarto-resource-cell-cache-cache-comments"},"dependson":{"_internalId":191847,"type":"ref","$ref":"quarto-resource-cell-cache-dependson","description":"quarto-resource-cell-cache-dependson"},"autodep":{"_internalId":191848,"type":"ref","$ref":"quarto-resource-cell-cache-autodep","description":"quarto-resource-cell-cache-autodep"},"title":{"_internalId":191849,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191850,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191851,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191852,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191853,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"content":{"_internalId":191854,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191855,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191856,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191857,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191858,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191859,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191860,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191861,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":191862,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":191863,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"tidy":{"_internalId":191864,"type":"ref","$ref":"quarto-resource-cell-codeoutput-tidy","description":"quarto-resource-cell-codeoutput-tidy"},"tidy-opts":{"_internalId":191865,"type":"ref","$ref":"quarto-resource-cell-codeoutput-tidy-opts","description":"quarto-resource-cell-codeoutput-tidy-opts"},"collapse":{"_internalId":191866,"type":"ref","$ref":"quarto-resource-cell-codeoutput-collapse","description":"quarto-resource-cell-codeoutput-collapse"},"prompt":{"_internalId":191867,"type":"ref","$ref":"quarto-resource-cell-codeoutput-prompt","description":"quarto-resource-cell-codeoutput-prompt"},"highlight":{"_internalId":191868,"type":"ref","$ref":"quarto-resource-cell-codeoutput-highlight","description":"quarto-resource-cell-codeoutput-highlight"},"class-source":{"_internalId":191869,"type":"ref","$ref":"quarto-resource-cell-codeoutput-class-source","description":"quarto-resource-cell-codeoutput-class-source"},"attr-source":{"_internalId":191870,"type":"ref","$ref":"quarto-resource-cell-codeoutput-attr-source","description":"quarto-resource-cell-codeoutput-attr-source"},"fig-width":{"_internalId":191871,"type":"ref","$ref":"quarto-resource-cell-figure-fig-width","description":"quarto-resource-cell-figure-fig-width"},"fig-height":{"_internalId":191872,"type":"ref","$ref":"quarto-resource-cell-figure-fig-height","description":"quarto-resource-cell-figure-fig-height"},"fig-cap":{"_internalId":191873,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":191874,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":191875,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":191876,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":191877,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":191878,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191879,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":191880,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"fig-format":{"_internalId":191881,"type":"ref","$ref":"quarto-resource-cell-figure-fig-format","description":"quarto-resource-cell-figure-fig-format"},"fig-dpi":{"_internalId":191882,"type":"ref","$ref":"quarto-resource-cell-figure-fig-dpi","description":"quarto-resource-cell-figure-fig-dpi"},"fig-asp":{"_internalId":191883,"type":"ref","$ref":"quarto-resource-cell-figure-fig-asp","description":"quarto-resource-cell-figure-fig-asp"},"out-width":{"_internalId":191884,"type":"ref","$ref":"quarto-resource-cell-figure-out-width","description":"quarto-resource-cell-figure-out-width"},"out-height":{"_internalId":191885,"type":"ref","$ref":"quarto-resource-cell-figure-out-height","description":"quarto-resource-cell-figure-out-height"},"fig-keep":{"_internalId":191886,"type":"ref","$ref":"quarto-resource-cell-figure-fig-keep","description":"quarto-resource-cell-figure-fig-keep"},"fig-show":{"_internalId":191887,"type":"ref","$ref":"quarto-resource-cell-figure-fig-show","description":"quarto-resource-cell-figure-fig-show"},"out-extra":{"_internalId":191888,"type":"ref","$ref":"quarto-resource-cell-figure-out-extra","description":"quarto-resource-cell-figure-out-extra"},"external":{"_internalId":191889,"type":"ref","$ref":"quarto-resource-cell-figure-external","description":"quarto-resource-cell-figure-external"},"sanitize":{"_internalId":191890,"type":"ref","$ref":"quarto-resource-cell-figure-sanitize","description":"quarto-resource-cell-figure-sanitize"},"interval":{"_internalId":191891,"type":"ref","$ref":"quarto-resource-cell-figure-interval","description":"quarto-resource-cell-figure-interval"},"aniopts":{"_internalId":191892,"type":"ref","$ref":"quarto-resource-cell-figure-aniopts","description":"quarto-resource-cell-figure-aniopts"},"animation-hook":{"_internalId":191893,"type":"ref","$ref":"quarto-resource-cell-figure-animation-hook","description":"quarto-resource-cell-figure-animation-hook"},"child":{"_internalId":191894,"type":"ref","$ref":"quarto-resource-cell-include-child","description":"quarto-resource-cell-include-child"},"file":{"_internalId":191895,"type":"ref","$ref":"quarto-resource-cell-include-file","description":"quarto-resource-cell-include-file"},"code":{"_internalId":191896,"type":"ref","$ref":"quarto-resource-cell-include-code","description":"quarto-resource-cell-include-code"},"purl":{"_internalId":191897,"type":"ref","$ref":"quarto-resource-cell-include-purl","description":"quarto-resource-cell-include-purl"},"layout":{"_internalId":191898,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":191899,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":191900,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":191901,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":191902,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":191903,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":191904,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":191905,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":191906,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191907,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191908,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":191909,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":191910,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"tbl-colwidths":{"_internalId":191911,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"html-table-processing":{"_internalId":191912,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":191913,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191914,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191915,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191916,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":191917,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":191918,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"},"message":{"_internalId":191919,"type":"ref","$ref":"quarto-resource-cell-textoutput-message","description":"quarto-resource-cell-textoutput-message"},"results":{"_internalId":191920,"type":"ref","$ref":"quarto-resource-cell-textoutput-results","description":"quarto-resource-cell-textoutput-results"},"comment":{"_internalId":191921,"type":"ref","$ref":"quarto-resource-cell-textoutput-comment","description":"quarto-resource-cell-textoutput-comment"},"class-output":{"_internalId":191922,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-output","description":"quarto-resource-cell-textoutput-class-output"},"attr-output":{"_internalId":191923,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-output","description":"quarto-resource-cell-textoutput-attr-output"},"class-warning":{"_internalId":191924,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-warning","description":"quarto-resource-cell-textoutput-class-warning"},"attr-warning":{"_internalId":191925,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-warning","description":"quarto-resource-cell-textoutput-attr-warning"},"class-message":{"_internalId":191926,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-message","description":"quarto-resource-cell-textoutput-class-message"},"attr-message":{"_internalId":191927,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-message","description":"quarto-resource-cell-textoutput-attr-message"},"class-error":{"_internalId":191928,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-error","description":"quarto-resource-cell-textoutput-class-error"},"attr-error":{"_internalId":191929,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-error","description":"quarto-resource-cell-textoutput-attr-error"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,cache,cache-path,cache-vars,cache-globals,cache-lazy,cache-rebuild,cache-comments,dependson,autodep,title,padding,expandable,width,height,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,tidy,tidy-opts,collapse,prompt,highlight,class-source,attr-source,fig-width,fig-height,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,fig-format,fig-dpi,fig-asp,out-width,out-height,fig-keep,fig-show,out-extra,external,sanitize,interval,aniopts,animation-hook,child,file,code,purl,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,tbl-colwidths,html-table-processing,output,warning,error,include,panel,output-location,message,results,comment,class-output,attr-output,class-warning,attr-warning,class-message,attr-message,class-error,attr-error","type":"string","pattern":"(?!(^cache_path$|^cachePath$|^cache_vars$|^cacheVars$|^cache_globals$|^cacheGlobals$|^cache_lazy$|^cacheLazy$|^cache_rebuild$|^cacheRebuild$|^cache_comments$|^cacheComments$|^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^tidy_opts$|^tidyOpts$|^class_source$|^classSource$|^attr_source$|^attrSource$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^out_width$|^outWidth$|^out_height$|^outHeight$|^fig_keep$|^figKeep$|^fig_show$|^figShow$|^out_extra$|^outExtra$|^animation_hook$|^animationHook$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^tbl_colwidths$|^tblColwidths$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$|^class_output$|^classOutput$|^attr_output$|^attrOutput$|^class_warning$|^classWarning$|^attr_warning$|^attrWarning$|^class_message$|^classMessage$|^attr_message$|^attrMessage$|^class_error$|^classError$|^attr_error$|^attrError$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-knitr"},"engine-jupyter":{"_internalId":191983,"type":"object","description":"be an object","properties":{"label":{"_internalId":191932,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191933,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191934,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"tags":{"_internalId":191935,"type":"ref","$ref":"quarto-resource-cell-attributes-tags","description":"quarto-resource-cell-attributes-tags"},"id":{"_internalId":191936,"type":"ref","$ref":"quarto-resource-cell-attributes-id","description":"quarto-resource-cell-attributes-id"},"export":{"_internalId":191937,"type":"ref","$ref":"quarto-resource-cell-attributes-export","description":"quarto-resource-cell-attributes-export"},"title":{"_internalId":191938,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191939,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191940,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191941,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191942,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"context":{"_internalId":191943,"type":"ref","$ref":"quarto-resource-cell-card-context","description":"quarto-resource-cell-card-context"},"content":{"_internalId":191944,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191945,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191946,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191947,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191948,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191949,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191950,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191951,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":191952,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":191953,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"fig-cap":{"_internalId":191954,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":191955,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":191956,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":191957,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":191958,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":191959,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191960,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":191961,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"layout":{"_internalId":191962,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":191963,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":191964,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":191965,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":191966,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":191967,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":191968,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":191969,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":191970,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191971,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191972,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":191973,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":191974,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"tbl-colwidths":{"_internalId":191975,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"html-table-processing":{"_internalId":191976,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":191977,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191978,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191979,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191980,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":191981,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":191982,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,tags,id,export,title,padding,expandable,width,height,context,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,tbl-colwidths,html-table-processing,output,warning,error,include,panel,output-location","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^tbl_colwidths$|^tblColwidths$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-jupyter"},"engine-julia":{"_internalId":192031,"type":"object","description":"be an object","properties":{"label":{"_internalId":191985,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191986,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191987,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"title":{"_internalId":191988,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191989,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191990,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191991,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191992,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"content":{"_internalId":191993,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191994,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191995,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191996,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191997,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191998,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191999,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":192000,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":192001,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":192002,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"fig-cap":{"_internalId":192003,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":192004,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":192005,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":192006,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":192007,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":192008,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":192009,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":192010,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"layout":{"_internalId":192011,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":192012,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":192013,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":192014,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":192015,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":192016,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":192017,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":192018,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":192019,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":192020,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":192021,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":192022,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":192023,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"html-table-processing":{"_internalId":192024,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":192025,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":192026,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":192027,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":192028,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":192029,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":192030,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,title,padding,expandable,width,height,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,html-table-processing,output,warning,error,include,panel,output-location","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-julia"},"plugin-reveal":{"_internalId":7,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"name":{"type":"string","description":"be a string"},"register":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},"script":{"_internalId":4,"type":"anyOf","anyOf":[{"_internalId":2,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"async":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["path"]}],"description":"be at least one of: a string, an object"},{"_internalId":3,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":2,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"async":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["path"]}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object"},"stylesheet":{"_internalId":6,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":5,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string"},"self-contained":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["name"],"propertyNames":{"errorMessage":"property ${value} does not match case convention path,name,register,script,stylesheet,self-contained","type":"string","pattern":"(?!(^self_contained$|^selfContained$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"plugin-reveal"}} \ No newline at end of file +{"date":{"_internalId":19,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":18,"type":"object","description":"be an object","properties":{"value":{"type":"string","description":"be a string"},"format":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["value"]}],"description":"be at least one of: a string, an object","$id":"date"},"date-format":{"type":"string","description":"be a string","$id":"date-format"},"math-methods":{"_internalId":26,"type":"enum","enum":["plain","webtex","gladtex","mathml","mathjax","katex"],"description":"be one of: `plain`, `webtex`, `gladtex`, `mathml`, `mathjax`, `katex`","completions":["plain","webtex","gladtex","mathml","mathjax","katex"],"exhaustiveCompletions":true,"$id":"math-methods"},"pandoc-format-request-headers":{"_internalId":34,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":33,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},"$id":"pandoc-format-request-headers"},"pandoc-format-output-file":{"_internalId":42,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":41,"type":"enum","enum":[null],"description":"be 'null'","completions":[],"exhaustiveCompletions":true,"tags":{"hidden":true}}],"description":"be at least one of: a string, 'null'","$id":"pandoc-format-output-file"},"pandoc-format-filters":{"_internalId":73,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":72,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":55,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string"},"path":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["path"]},{"_internalId":65,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string"},"path":{"type":"string","description":"be a string"},"at":{"_internalId":64,"type":"enum","enum":["pre-ast","post-ast","pre-quarto","post-quarto","pre-render","post-render"],"description":"be one of: `pre-ast`, `post-ast`, `pre-quarto`, `post-quarto`, `pre-render`, `post-render`","completions":["pre-ast","post-ast","pre-quarto","post-quarto","pre-render","post-render"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["path","at"]},{"_internalId":71,"type":"object","description":"be an object","properties":{"type":{"_internalId":70,"type":"enum","enum":["citeproc"],"description":"be 'citeproc'","completions":["citeproc"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["type"],"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},"$id":"pandoc-format-filters"},"pandoc-shortcodes":{"_internalId":78,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"$id":"pandoc-shortcodes"},"page-column":{"_internalId":81,"type":"enum","enum":["body","body-outset","body-outset-left","body-outset-right","page","page-left","page-right","page-inset","page-inset-left","page-inset-right","screen","screen-left","screen-right","screen-inset","screen-inset-shaded","screen-inset-left","screen-inset-right","margin"],"description":"be one of: `body`, `body-outset`, `body-outset-left`, `body-outset-right`, `page`, `page-left`, `page-right`, `page-inset`, `page-inset-left`, `page-inset-right`, `screen`, `screen-left`, `screen-right`, `screen-inset`, `screen-inset-shaded`, `screen-inset-left`, `screen-inset-right`, `margin`","completions":["body","body-outset","body-outset-left","body-outset-right","page","page-left","page-right","page-inset","page-inset-left","page-inset-right","screen","screen-left","screen-right","screen-inset","screen-inset-shaded","screen-inset-left","screen-inset-right","margin"],"exhaustiveCompletions":true,"$id":"page-column"},"contents-auto":{"_internalId":95,"type":"object","description":"be an object","properties":{"auto":{"_internalId":94,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":93,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":92,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: a string, an array of values, where each element must be a string","tags":{"description":{"short":"Automatically generate sidebar contents.","long":"Automatically generate sidebar contents. Pass `true` to include all documents\nin the site, a directory name to include only documents in that directory, \nor a glob (or list of globs) to include documents based on a pattern. \n\nSubdirectories will create sections (use an `index.qmd` in the directory to\nprovide its title). Order will be alphabetical unless a numeric `order` field\nis provided in document metadata.\n"}},"documentation":"Automatically generate sidebar contents."}},"patternProperties":{},"$id":"contents-auto"},"navigation-item":{"_internalId":103,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":102,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"}],"description":"be at least one of: a string, navigation-item-object","$id":"navigation-item"},"navigation-item-object":{"_internalId":132,"type":"object","description":"be an object","properties":{"aria-label":{"type":"string","description":"be a string","tags":{"description":"Accessible label for the item."},"documentation":"Accessible label for the item."},"file":{"type":"string","description":"be a string","tags":{"description":"Alias for href\n","hidden":true},"documentation":"Alias for href","completions":[]},"href":{"type":"string","description":"be a string","tags":{"description":"Link to file contained with the project or external URL\n"},"documentation":"Link to file contained with the project or external URL"},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"Name of bootstrap icon (e.g. `github`, `bluesky`, `share`)","long":"Name of bootstrap icon (e.g. `github`, `bluesky`, `share`)\nSee for a list of available icons\n"}},"documentation":"Name of bootstrap icon (e.g. github,\nbluesky, share)"},"id":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"menu":{"_internalId":123,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":122,"type":"ref","$ref":"navigation-item","description":"be navigation-item"}},"text":{"type":"string","description":"be a string","tags":{"description":"Text to display for item (defaults to the\ndocument title if not provided)\n"},"documentation":"Text to display for item (defaults to the document title if not\nprovided)"},"url":{"type":"string","description":"be a string","tags":{"description":"Alias for href\n","hidden":true},"documentation":"Alias for href","completions":[]},"rel":{"type":"string","description":"be a string","tags":{"description":"Value for rel attribute. Multiple space-separated values are permitted.\nSee \nfor a details.\n"},"documentation":"Value for rel attribute. Multiple space-separated values are\npermitted. See https://developer.mozilla.org/en-US/docs/Web/HTML/Attributes/rel\nfor a details."},"target":{"type":"string","description":"be a string","tags":{"description":"Value for target attribute.\nSee \nfor details.\n"},"documentation":"Value for target attribute. See https://developer.mozilla.org/en-US/docs/Web/HTML/Element/a#attr-target\nfor details."}},"patternProperties":{},"closed":true,"$id":"navigation-item-object"},"giscus-themes":{"_internalId":135,"type":"enum","enum":["light","light_high_contrast","light_protanopia","light_tritanopia","dark","dark_high_contrast","dark_protanopia","dark_tritanopia","dark_dimmed","transparent_dark","cobalt","purple_dark","noborder_light","noborder_dark","noborder_gray","preferred_color_scheme"],"description":"be one of: `light`, `light_high_contrast`, `light_protanopia`, `light_tritanopia`, `dark`, `dark_high_contrast`, `dark_protanopia`, `dark_tritanopia`, `dark_dimmed`, `transparent_dark`, `cobalt`, `purple_dark`, `noborder_light`, `noborder_dark`, `noborder_gray`, `preferred_color_scheme`","completions":["light","light_high_contrast","light_protanopia","light_tritanopia","dark","dark_high_contrast","dark_protanopia","dark_tritanopia","dark_dimmed","transparent_dark","cobalt","purple_dark","noborder_light","noborder_dark","noborder_gray","preferred_color_scheme"],"exhaustiveCompletions":true,"$id":"giscus-themes"},"giscus-configuration":{"_internalId":192,"type":"object","description":"be an object","properties":{"repo":{"type":"string","description":"be a string","tags":{"description":{"short":"The Github repo that will be used to store comments.","long":"The Github repo that will be used to store comments.\n\nIn order to work correctly, the repo must be public, with the giscus app installed, and \nthe discussions feature must be enabled.\n"}},"documentation":"The Github repo that will be used to store comments."},"repo-id":{"type":"string","description":"be a string","tags":{"description":{"short":"The Github repository identifier.","long":"The Github repository identifier.\n\nYou can quickly find this by using the configuration tool at [https://giscus.app](https://giscus.app).\nIf this is not provided, Quarto will attempt to discover it at render time.\n"}},"documentation":"The Github repository identifier."},"category":{"type":"string","description":"be a string","tags":{"description":{"short":"The discussion category where new discussions will be created.","long":"The discussion category where new discussions will be created. It is recommended \nto use a category with the **Announcements** type so that new discussions \ncan only be created by maintainers and giscus.\n"}},"documentation":"The discussion category where new discussions will be created."},"category-id":{"type":"string","description":"be a string","tags":{"description":{"short":"The Github category identifier.","long":"The Github category identifier.\n\nYou can quickly find this by using the configuration tool at [https://giscus.app](https://giscus.app).\nIf this is not provided, Quarto will attempt to discover it at render time.\n"}},"documentation":"The Github category identifier."},"mapping":{"_internalId":154,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","completions":["pathname","url","title","og:title"],"tags":{"description":{"short":"The mapping between the page and the embedded discussion.","long":"The mapping between the page and the embedded discussion. \n\n- `pathname`: The discussion title contains the page path\n- `url`: The discussion title contains the page url\n- `title`: The discussion title contains the page title\n- `og:title`: The discussion title contains the `og:title` metadata value\n- any other string or number: Any other strings will be passed through verbatim and a discussion title\ncontaining that value will be used. Numbers will be treated\nas a discussion number and automatic discussion creation is not supported.\n"}},"documentation":"The mapping between the page and the embedded discussion."},"reactions-enabled":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Display reactions for the discussion's main post before the comments."},"documentation":"Display reactions for the discussion’s main post before the\ncomments."},"loading":{"_internalId":159,"type":"enum","enum":["lazy"],"description":"be 'lazy'","completions":["lazy"],"exhaustiveCompletions":true,"tags":{"description":"Specify `loading: lazy` to defer loading comments until the user scrolls near the comments container."},"documentation":"Specify loading: lazy to defer loading comments until\nthe user scrolls near the comments container."},"input-position":{"_internalId":162,"type":"enum","enum":["top","bottom"],"description":"be one of: `top`, `bottom`","completions":["top","bottom"],"exhaustiveCompletions":true,"tags":{"description":"Place the comment input box above or below the comments."},"documentation":"Place the comment input box above or below the comments."},"theme":{"_internalId":189,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":169,"type":"ref","$ref":"giscus-themes","description":"be giscus-themes"},{"_internalId":188,"type":"object","description":"be an object","properties":{"light":{"_internalId":179,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":178,"type":"ref","$ref":"giscus-themes","description":"be giscus-themes"}],"description":"be at least one of: a string, giscus-themes","tags":{"description":"The light theme name."},"documentation":"The light theme name."},"dark":{"_internalId":187,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":186,"type":"ref","$ref":"giscus-themes","description":"be giscus-themes"}],"description":"be at least one of: a string, giscus-themes","tags":{"description":"The dark theme name."},"documentation":"The dark theme name."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, giscus-themes, an object","tags":{"description":{"short":"The giscus theme to use when displaying comments.","long":"The giscus theme to use when displaying comments. Light and dark themes are supported. If a single theme is provided by name, it will be used as light and dark theme. To use different themes, use `light` and `dark` key: \n\n```yaml\nwebsite:\n comments:\n giscus:\n theme:\n light: light # giscus theme used for light website theme\n dark: dark_dimmed # giscus theme used for dark website theme\n```\n"}},"documentation":"The giscus theme to use when displaying comments."},"language":{"type":"string","description":"be a string","tags":{"description":"The language that should be used when displaying the commenting interface."},"documentation":"The language that should be used when displaying the commenting\ninterface."}},"patternProperties":{},"required":["repo"],"closed":true,"$id":"giscus-configuration"},"document-comments-configuration":{"_internalId":311,"type":"anyOf","anyOf":[{"_internalId":197,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":310,"type":"object","description":"be an object","properties":{"utterances":{"_internalId":210,"type":"object","description":"be an object","properties":{"repo":{"type":"string","description":"be a string","tags":{"description":"The Github repo that will be used to store comments."},"documentation":"The Github repo that will be used to store comments."},"label":{"type":"string","description":"be a string","tags":{"description":"The label that will be assigned to issues created by Utterances."},"documentation":"The label that will be assigned to issues created by Utterances."},"theme":{"type":"string","description":"be a string","completions":["github-light","github-dark","github-dark-orange","icy-dark","dark-blue","photon-dark","body-light","gruvbox-dark"],"tags":{"description":{"short":"The Github theme that should be used for Utterances.","long":"The Github theme that should be used for Utterances\n(`github-light`, `github-dark`, `github-dark-orange`,\n`icy-dark`, `dark-blue`, `photon-dark`, `body-light`,\nor `gruvbox-dark`)\n"}},"documentation":"The Github theme that should be used for Utterances."},"issue-term":{"type":"string","description":"be a string","completions":["pathname","url","title","og:title"],"tags":{"description":{"short":"How posts should be mapped to Github issues","long":"How posts should be mapped to Github issues\n(`pathname`, `url`, `title` or `og:title`)\n"}},"documentation":"How posts should be mapped to Github issues"}},"patternProperties":{},"required":["repo"],"closed":true},"giscus":{"_internalId":213,"type":"ref","$ref":"giscus-configuration","description":"be giscus-configuration"},"hypothesis":{"_internalId":309,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":308,"type":"object","description":"be an object","properties":{"client-url":{"type":"string","description":"be a string","tags":{"description":"Override the default hypothesis client url with a custom client url."},"documentation":"Override the default hypothesis client url with a custom client\nurl."},"openSidebar":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Controls whether the sidebar opens automatically on startup."},"documentation":"Controls whether the sidebar opens automatically on startup."},"showHighlights":{"_internalId":231,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":230,"type":"enum","enum":["always","whenSidebarOpen","never"],"description":"be one of: `always`, `whenSidebarOpen`, `never`","completions":["always","whenSidebarOpen","never"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `always`, `whenSidebarOpen`, `never`","tags":{"description":"Controls whether the in-document highlights are shown by default (`always`, `whenSidebarOpen` or `never`)"},"documentation":"Controls whether the in-document highlights are shown by default\n(always, whenSidebarOpen or\nnever)"},"theme":{"_internalId":234,"type":"enum","enum":["classic","clean"],"description":"be one of: `classic`, `clean`","completions":["classic","clean"],"exhaustiveCompletions":true,"tags":{"description":"Controls the overall look of the sidebar (`classic` or `clean`)"},"documentation":"Controls the overall look of the sidebar (classic or\nclean)"},"enableExperimentalNewNoteButton":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Controls whether the experimental New Note button \nshould be shown in the notes tab in the sidebar.\n"},"documentation":"Controls whether the experimental New Note button should be shown in\nthe notes tab in the sidebar."},"usernameUrl":{"type":"string","description":"be a string","tags":{"description":"Specify a URL to direct a user to, \nin a new tab. when they click on the annotation author \nlink in the header of an annotation.\n"},"documentation":"Specify a URL to direct a user to, in a new tab. when they click on\nthe annotation author link in the header of an annotation."},"services":{"_internalId":269,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":268,"type":"object","description":"be an object","properties":{"apiUrl":{"type":"string","description":"be a string","tags":{"description":"The base URL of the service API."},"documentation":"The base URL of the service API."},"authority":{"type":"string","description":"be a string","tags":{"description":"The domain name which the annotation service is associated with."},"documentation":"The domain name which the annotation service is associated with."},"grantToken":{"type":"string","description":"be a string","tags":{"description":"An OAuth 2 grant token which the client can send to the service in order to get an access token for making authenticated requests to the service."},"documentation":"An OAuth 2 grant token which the client can send to the service in\norder to get an access token for making authenticated requests to the\nservice."},"allowLeavingGroups":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"A flag indicating whether users should be able to leave groups of which they are a member."},"documentation":"A flag indicating whether users should be able to leave groups of\nwhich they are a member."},"enableShareLinks":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"A flag indicating whether annotation cards should show links that take the user to see an annotation in context."},"documentation":"A flag indicating whether annotation cards should show links that\ntake the user to see an annotation in context."},"groups":{"_internalId":265,"type":"anyOf","anyOf":[{"_internalId":259,"type":"enum","enum":["$rpc:requestGroups"],"description":"be '$rpc:requestGroups'","completions":["$rpc:requestGroups"],"exhaustiveCompletions":true},{"_internalId":264,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: '$rpc:requestGroups', an array of values, where each element must be a string","tags":{"description":"An array of Group IDs or the literal string `$rpc:requestGroups`"},"documentation":"An array of Group IDs or the literal string\n$rpc:requestGroups"},"icon":{"type":"string","description":"be a string","tags":{"description":"The URL to an image for the annotation service. This image will appear to the left of the name of the currently selected group."},"documentation":"The URL to an image for the annotation service. This image will\nappear to the left of the name of the currently selected group."}},"patternProperties":{},"required":["apiUrl","authority","grantToken"],"propertyNames":{"errorMessage":"property ${value} does not match case convention apiUrl,authority,grantToken,allowLeavingGroups,enableShareLinks,groups,icon","type":"string","pattern":"(?!(^api_url$|^api-url$|^grant_token$|^grant-token$|^allow_leaving_groups$|^allow-leaving-groups$|^enable_share_links$|^enable-share-links$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Alternative annotation services which the client should \nconnect to instead of connecting to the public Hypothesis \nservice at hypothes.is.\n"},"documentation":"Alternative annotation services which the client should connect to\ninstead of connecting to the public Hypothesis service at\nhypothes.is."}},"branding":{"_internalId":282,"type":"object","description":"be an object","properties":{"accentColor":{"type":"string","description":"be a string","tags":{"description":"Secondary color for elements of the commenting UI."},"documentation":"Secondary color for elements of the commenting UI."},"appBackgroundColor":{"type":"string","description":"be a string","tags":{"description":"The main background color of the commenting UI."},"documentation":"The main background color of the commenting UI."},"ctaBackgroundColor":{"type":"string","description":"be a string","tags":{"description":"The background color for call to action buttons."},"documentation":"The background color for call to action buttons."},"selectionFontFamily":{"type":"string","description":"be a string","tags":{"description":"The font family for selection text in the annotation card."},"documentation":"The font family for selection text in the annotation card."},"annotationFontFamily":{"type":"string","description":"be a string","tags":{"description":"The font family for the actual annotation value that the user writes about the page or selection."},"documentation":"The font family for the actual annotation value that the user writes\nabout the page or selection."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention accentColor,appBackgroundColor,ctaBackgroundColor,selectionFontFamily,annotationFontFamily","type":"string","pattern":"(?!(^accent_color$|^accent-color$|^app_background_color$|^app-background-color$|^cta_background_color$|^cta-background-color$|^selection_font_family$|^selection-font-family$|^annotation_font_family$|^annotation-font-family$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Settings to adjust the commenting sidebar's look and feel."},"documentation":"Settings to adjust the commenting sidebar’s look and feel."},"externalContainerSelector":{"type":"string","description":"be a string","tags":{"description":"A CSS selector specifying the containing element into which the sidebar iframe will be placed."},"documentation":"A CSS selector specifying the containing element into which the\nsidebar iframe will be placed."},"focus":{"_internalId":296,"type":"object","description":"be an object","properties":{"user":{"_internalId":295,"type":"object","description":"be an object","properties":{"username":{"type":"string","description":"be a string","tags":{"description":"The username of the user to focus on."},"documentation":"The username of the user to focus on."},"userid":{"type":"string","description":"be a string","tags":{"description":"The userid of the user to focus on."},"documentation":"The userid of the user to focus on."},"displayName":{"type":"string","description":"be a string","tags":{"description":"The display name of the user to focus on."},"documentation":"The display name of the user to focus on."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention username,userid,displayName","type":"string","pattern":"(?!(^display_name$|^display-name$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}}},"patternProperties":{},"required":["user"],"tags":{"description":"Defines a focused filter set for the available annotations on a page."},"documentation":"Defines a focused filter set for the available annotations on a\npage."},"requestConfigFromFrame":{"_internalId":303,"type":"object","description":"be an object","properties":{"origin":{"type":"string","description":"be a string","tags":{"description":"Host url and port number of receiving iframe"},"documentation":"Host url and port number of receiving iframe"},"ancestorLevel":{"type":"number","description":"be a number","tags":{"description":"Number of nested iframes deep the client is relative from the receiving iframe."},"documentation":"Number of nested iframes deep the client is relative from the\nreceiving iframe."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention origin,ancestorLevel","type":"string","pattern":"(?!(^ancestor_level$|^ancestor-level$))","tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["capitalizationCase"],"error-importance":-5,"case-detection":true}},"assetRoot":{"type":"string","description":"be a string","tags":{"description":"The root URL from which assets are loaded."},"documentation":"The root URL from which assets are loaded."},"sidebarAppUrl":{"type":"string","description":"be a string","tags":{"description":"The URL for the sidebar application which displays annotations."},"documentation":"The URL for the sidebar application which displays annotations."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object"}},"patternProperties":{},"closed":true}],"description":"be at least one of: 'false', an object","$id":"document-comments-configuration"},"social-metadata":{"_internalId":326,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title of the page","long":"The title of the page. Note that by default Quarto will automatically \nuse the title metadata from the page. Specify this field if you’d like \nto override the title for this provider.\n"}},"documentation":"The title of the page"},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"A short description of the content.","long":"A short description of the content. Note that by default Quarto will\nautomatically use the description metadata from the page. Specify this\nfield if you’d like to override the description for this provider.\n"}},"documentation":"A short description of the content."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a preview image for the content.","long":"The path to a preview image for the content. By default, Quarto will use\nthe `image` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The path to a preview image for the content."},"image-alt":{"type":"string","description":"be a string","tags":{"description":{"short":"The alt text for the preview image.","long":"The alt text for the preview image. By default, Quarto will use\nthe `image-alt` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The alt text for the preview image."},"image-width":{"type":"number","description":"be a number","tags":{"description":"Image width (pixels)"},"documentation":"Image width (pixels)"},"image-height":{"type":"number","description":"be a number","tags":{"description":"Image height (pixels)"},"documentation":"Image height (pixels)"}},"patternProperties":{},"closed":true,"$id":"social-metadata"},"page-footer-region":{"_internalId":337,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":336,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":335,"type":"ref","$ref":"navigation-item","description":"be navigation-item"}}],"description":"be at least one of: a string, an array of values, where each element must be navigation-item","$id":"page-footer-region"},"sidebar-contents":{"_internalId":372,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":344,"type":"ref","$ref":"contents-auto","description":"be contents-auto"},{"_internalId":371,"type":"array","description":"be an array of values, where each element must be at least one of: navigation-item, a string, an object, contents-auto","items":{"_internalId":370,"type":"anyOf","anyOf":[{"_internalId":351,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},{"type":"string","description":"be a string"},{"_internalId":366,"type":"object","description":"be an object","properties":{"section":{"_internalId":362,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, the null value"},"contents":{"_internalId":365,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents"}},"patternProperties":{},"closed":true},{"_internalId":369,"type":"ref","$ref":"contents-auto","description":"be contents-auto"}],"description":"be at least one of: navigation-item, a string, an object, contents-auto"}}],"description":"be at least one of: a string, contents-auto, an array of values, where each element must be at least one of: navigation-item, a string, an object, contents-auto","$id":"sidebar-contents"},"project-preview":{"_internalId":392,"type":"object","description":"be an object","properties":{"port":{"type":"number","description":"be a number","tags":{"description":"Port to listen on (defaults to random value between 3000 and 8000)"},"documentation":"Port to listen on (defaults to random value between 3000 and\n8000)"},"host":{"type":"string","description":"be a string","tags":{"description":"Hostname to bind to (defaults to 127.0.0.1)"},"documentation":"Hostname to bind to (defaults to 127.0.0.1)"},"serve":{"_internalId":383,"type":"ref","$ref":"project-serve","description":"be project-serve","tags":{"description":"Use an exernal application to preview the project."},"documentation":"Use an exernal application to preview the project."},"browser":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Open a web browser to view the preview (defaults to true)"},"documentation":"Open a web browser to view the preview (defaults to true)"},"watch-inputs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Re-render input files when they change (defaults to true)"},"documentation":"Re-render input files when they change (defaults to true)"},"navigate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Navigate the browser automatically when outputs are updated (defaults to true)"},"documentation":"Navigate the browser automatically when outputs are updated (defaults\nto true)"},"timeout":{"type":"number","description":"be a number","tags":{"description":"Time (in seconds) after which to exit if there are no active clients"},"documentation":"Time (in seconds) after which to exit if there are no active\nclients"}},"patternProperties":{},"closed":true,"$id":"project-preview"},"project-serve":{"_internalId":404,"type":"object","description":"be an object","properties":{"cmd":{"type":"string","description":"be a string","tags":{"description":"Serve project preview using the specified command.\nInterpolate the `--port` into the command using `{port}`.\n"},"documentation":"Serve project preview using the specified command. Interpolate the\n--port into the command using {port}."},"args":{"type":"string","description":"be a string","tags":{"description":"Additional command line arguments for preview command."},"documentation":"Additional command line arguments for preview command."},"env":{"_internalId":401,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Environment variables to set for preview command."},"documentation":"Environment variables to set for preview command."},"ready":{"type":"string","description":"be a string","tags":{"description":"Regular expression for detecting when the server is ready."},"documentation":"Regular expression for detecting when the server is ready."}},"patternProperties":{},"required":["cmd","ready"],"closed":true,"$id":"project-serve"},"publish":{"_internalId":415,"type":"object","description":"be an object","properties":{"netlify":{"_internalId":414,"type":"array","description":"be an array of values, where each element must be publish-record","items":{"_internalId":413,"type":"ref","$ref":"publish-record","description":"be publish-record"}}},"patternProperties":{},"closed":true,"tags":{"description":"Sites published from project"},"documentation":"Sites published from project","$id":"publish"},"publish-record":{"_internalId":422,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier for site"},"documentation":"Unique identifier for site"},"url":{"type":"string","description":"be a string","tags":{"description":"Published URL for site"},"documentation":"Published URL for site"}},"patternProperties":{},"closed":true,"$id":"publish-record"},"twitter-card-config":{"_internalId":326,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title of the page","long":"The title of the page. Note that by default Quarto will automatically \nuse the title metadata from the page. Specify this field if you’d like \nto override the title for this provider.\n"}},"documentation":"The title of the page"},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"A short description of the content.","long":"A short description of the content. Note that by default Quarto will\nautomatically use the description metadata from the page. Specify this\nfield if you’d like to override the description for this provider.\n"}},"documentation":"A short description of the content."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a preview image for the content.","long":"The path to a preview image for the content. By default, Quarto will use\nthe `image` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The path to a preview image for the content."},"image-alt":{"type":"string","description":"be a string","tags":{"description":{"short":"The alt text for the preview image.","long":"The alt text for the preview image. By default, Quarto will use\nthe `image-alt` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The alt text for the preview image."},"image-width":{"type":"number","description":"be a number","tags":{"description":"Image width (pixels)"},"documentation":"Image width (pixels)"},"image-height":{"type":"number","description":"be a number","tags":{"description":"Image height (pixels)"},"documentation":"Image height (pixels)"},"card-style":{"_internalId":427,"type":"enum","enum":["summary","summary_large_image"],"description":"be one of: `summary`, `summary_large_image`","completions":["summary","summary_large_image"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Card style","long":"Card style (`summary` or `summary_large_image`).\n\nIf this is not provided, the best style will automatically\nselected based upon other metadata. You can learn more about Twitter Card\nstyles [here](https://developer.twitter.com/en/docs/twitter-for-websites/cards/overview/abouts-cards).\n"}},"documentation":"Card style"},"creator":{"type":"string","description":"be a string","tags":{"description":"`@username` of the content creator (must be a quoted string)"},"documentation":"@username of the content creator (must be a quoted\nstring)"},"site":{"type":"string","description":"be a string","tags":{"description":"`@username` of the website (must be a quoted string)"},"documentation":"@username of the website (must be a quoted string)"}},"patternProperties":{},"closed":true,"$id":"twitter-card-config"},"open-graph-config":{"_internalId":326,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title of the page","long":"The title of the page. Note that by default Quarto will automatically \nuse the title metadata from the page. Specify this field if you’d like \nto override the title for this provider.\n"}},"documentation":"The title of the page"},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"A short description of the content.","long":"A short description of the content. Note that by default Quarto will\nautomatically use the description metadata from the page. Specify this\nfield if you’d like to override the description for this provider.\n"}},"documentation":"A short description of the content."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a preview image for the content.","long":"The path to a preview image for the content. By default, Quarto will use\nthe `image` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The path to a preview image for the content."},"image-alt":{"type":"string","description":"be a string","tags":{"description":{"short":"The alt text for the preview image.","long":"The alt text for the preview image. By default, Quarto will use\nthe `image-alt` value from the format metadata. If you provide an \nimage, you may also optionally provide an `image-width` and `image-height`.\n"}},"documentation":"The alt text for the preview image."},"image-width":{"type":"number","description":"be a number","tags":{"description":"Image width (pixels)"},"documentation":"Image width (pixels)"},"image-height":{"type":"number","description":"be a number","tags":{"description":"Image height (pixels)"},"documentation":"Image height (pixels)"},"locale":{"type":"string","description":"be a string","tags":{"description":"Locale of open graph metadata"},"documentation":"Locale of open graph metadata"},"site-name":{"type":"string","description":"be a string","tags":{"description":{"short":"Name that should be displayed for the overall site","long":"Name that should be displayed for the overall site. If not explicitly \nprovided in the `open-graph` metadata, Quarto will use the website or\nbook `title` by default.\n"}},"documentation":"Name that should be displayed for the overall site"}},"patternProperties":{},"closed":true,"$id":"open-graph-config"},"page-footer":{"_internalId":470,"type":"object","description":"be an object","properties":{"left":{"_internalId":448,"type":"ref","$ref":"page-footer-region","description":"be page-footer-region","tags":{"description":"Footer left content"},"documentation":"Footer left content"},"right":{"_internalId":451,"type":"ref","$ref":"page-footer-region","description":"be page-footer-region","tags":{"description":"Footer right content"},"documentation":"Footer right content"},"center":{"_internalId":454,"type":"ref","$ref":"page-footer-region","description":"be page-footer-region","tags":{"description":"Footer center content"},"documentation":"Footer center content"},"border":{"_internalId":461,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"description":"Footer border (`true`, `false`, or a border color)"},"documentation":"Footer border (true, false, or a border\ncolor)"},"background":{"type":"string","description":"be a string","tags":{"description":"Footer background color"},"documentation":"Footer background color"},"foreground":{"type":"string","description":"be a string","tags":{"description":"Footer foreground color"},"documentation":"Footer foreground color"}},"patternProperties":{},"closed":true,"$id":"page-footer"},"base-website":{"_internalId":893,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Website title"},"documentation":"Website title"},"description":{"type":"string","description":"be a string","tags":{"description":"Website description"},"documentation":"Website description"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The value of the target attribute for repo links"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"The value of the rel attribute for repo links"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Subdirectory of repository containing website"},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Branch of website source code (defaults to main)"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"Links to source repository actions"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Links to source repository actions"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"Enable Google Analytics for this website"},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Anonymize the user ip address."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Path to a file containing the Plausible Analytics script snippet"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Provides an announcement displayed at the top of the page."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The content of the announcement"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"The version number of Google Analytics to use."},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"The icon to display in the announcement"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Whether this announcement may be dismissed by the user."},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Request cookie consent before enabling scripts that set cookies"},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The type of consent that should be requested"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The style of the consent banner that is displayed"},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"The position of the announcement."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Provide full text search for website"},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"Location for search widget (navbar or\nsidebar)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"Type of search UI (overlay or textbox)"},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"Number of matches to display (defaults to 20)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"The url to the website’s cookie or privacy policy."},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Provide button for copying search link"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"Use external Algolia search index"},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"The Search-Only API key to use to connect to Algolia"},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"Field that contains the URL of index entries"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"Field that contains the title of index entries"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Field that contains the text of index entries"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Field that contains the section of index entries"},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Additional parameters to pass when executing a search"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Top navigation options"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"The navbar title. Uses the project title if none is specified."},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Specification of image that will be displayed to the left of the\ntitle."}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Alternate text for the logo image."}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Enable tracking of Algolia analytics events"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Matches after which to collapse additional results"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar’s background color (named or hex color)."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"The navbar’s foreground color (named or hex color)."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Include a search box in the navbar."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Always show the navbar (keeping it pinned)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"List of items for the left side of the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"List of items for the right side of the navbar."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"Side navigation options"},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"The identifier for this sidebar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The sidebar title. Uses the project title if none is specified."},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Specification of image that will be displayed in the sidebar."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Alternate text for the logo image."},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Provide next and previous article links in footer"},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Provide a ‘back to top’ navigation button"},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Shared page footer"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Publish open graph metadata"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Publish twitter card metadata"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"A list of other links to appear below the TOC."},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"A list of code links to appear with this document."},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"A list of input documents that should be treated as drafts"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"How to handle drafts that are encountered."},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"Book subtitle"},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"Author or authors of the book"},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"Author or authors of the book"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"Book publication date"}},"patternProperties":{},"closed":true,"$id":"base-website"},"book-schema":{"_internalId":893,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Book title"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"description":{"type":"string","description":"be a string","tags":{"description":"Description metadata for HTML version of book"},"documentation":"Base URL for website source code repository"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The value of the target attribute for repo links"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"The value of the rel attribute for repo links"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Subdirectory of repository containing website"},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Branch of website source code (defaults to main)"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"Links to source repository actions"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Links to source repository actions"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"Enable Google Analytics for this website"},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Anonymize the user ip address."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Path to a file containing the Plausible Analytics script snippet"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Provides an announcement displayed at the top of the page."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The content of the announcement"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"The version number of Google Analytics to use."},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"The icon to display in the announcement"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Whether this announcement may be dismissed by the user."},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Request cookie consent before enabling scripts that set cookies"},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The type of consent that should be requested"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The style of the consent banner that is displayed"},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"The position of the announcement."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Provide full text search for website"},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"Location for search widget (navbar or\nsidebar)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"Type of search UI (overlay or textbox)"},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"Number of matches to display (defaults to 20)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"The url to the website’s cookie or privacy policy."},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Provide button for copying search link"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"Use external Algolia search index"},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"The Search-Only API key to use to connect to Algolia"},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"Field that contains the URL of index entries"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"Field that contains the title of index entries"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Field that contains the text of index entries"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Field that contains the section of index entries"},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Additional parameters to pass when executing a search"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Top navigation options"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"The navbar title. Uses the project title if none is specified."},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Specification of image that will be displayed to the left of the\ntitle."}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Alternate text for the logo image."}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Enable tracking of Algolia analytics events"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Matches after which to collapse additional results"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar’s background color (named or hex color)."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"The navbar’s foreground color (named or hex color)."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Include a search box in the navbar."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Always show the navbar (keeping it pinned)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"List of items for the left side of the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"List of items for the right side of the navbar."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"Side navigation options"},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"The identifier for this sidebar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The sidebar title. Uses the project title if none is specified."},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Specification of image that will be displayed in the sidebar."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Alternate text for the logo image."},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Provide next and previous article links in footer"},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Provide a ‘back to top’ navigation button"},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Shared page footer"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Publish open graph metadata"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Publish twitter card metadata"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"A list of other links to appear below the TOC."},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"A list of code links to appear with this document."},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"A list of input documents that should be treated as drafts"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"How to handle drafts that are encountered."},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"Book subtitle"},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"Author or authors of the book"},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"Author or authors of the book"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"Book publication date"},"subtitle":{"type":"string","description":"be a string","tags":{"description":"Book subtitle"},"documentation":"Format string for dates in the book"},"author":{"_internalId":912,"type":"anyOf","anyOf":[{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Book part and chapter files"},{"_internalId":911,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Book part and chapter files"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string","tags":{"description":"Book publication date"},"documentation":"Book appendix files"},"date-format":{"type":"string","description":"be a string","tags":{"description":"Format string for dates in the book"},"documentation":"Book references file"},"abstract":{"type":"string","description":"be a string","tags":{"description":"Book abstract"},"documentation":"Base name for single-file output (e.g. PDF, ePub, docx)"},"chapters":{"_internalId":925,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book part and chapter files"},"documentation":"Cover image (used in HTML and ePub formats)"},"appendices":{"_internalId":930,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book appendix files"},"documentation":"Alternative text for cover image (used in HTML format)"},"references":{"type":"string","description":"be a string","tags":{"description":"Book references file"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},"output-file":{"type":"string","description":"be a string","tags":{"description":"Base name for single-file output (e.g. PDF, ePub, docx)"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},"cover-image":{"type":"string","description":"be a string","tags":{"description":"Cover image (used in HTML and ePub formats)"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},"cover-image-alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for cover image (used in HTML format)"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},"sharing":{"_internalId":945,"type":"anyOf","anyOf":[{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"The Digital Object Identifier for this book."},{"_internalId":944,"type":"array","description":"be an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","items":{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"The Digital Object Identifier for this book."}}],"description":"be at least one of: one of: `twitter`, `facebook`, `linkedin`, an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","tags":{"complete-from":["anyOf",0]}},"downloads":{"_internalId":952,"type":"anyOf","anyOf":[{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Date the item has been accessed."},{"_internalId":951,"type":"array","description":"be an array of values, where each element must be one of: `pdf`, `epub`, `docx`","items":{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Date the item has been accessed."}}],"description":"be at least one of: one of: `pdf`, `epub`, `docx`, an array of values, where each element must be one of: `pdf`, `epub`, `docx`","tags":{"complete-from":["anyOf",0]}},"tools":{"_internalId":958,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":957,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Custom tools for navbar or sidebar"},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The Digital Object Identifier for this book."},"documentation":"Archive storing the item"}},"patternProperties":{},"closed":true,"$id":"book-schema"},"chapter-item":{"_internalId":980,"type":"anyOf","anyOf":[{"_internalId":968,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},{"_internalId":979,"type":"object","description":"be an object","properties":{"part":{"type":"string","description":"be a string","tags":{"description":"Part title or path to input file"},"documentation":"Part title or path to input file"},"chapters":{"_internalId":978,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":977,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Path to chapter input file"},"documentation":"Path to chapter input file"}},"patternProperties":{},"required":["part"]}],"description":"be at least one of: navigation-item, an object","$id":"chapter-item"},"chapter-list":{"_internalId":986,"type":"array","description":"be an array of values, where each element must be chapter-item","items":{"_internalId":985,"type":"ref","$ref":"chapter-item","description":"be chapter-item"},"$id":"chapter-list"},"other-links":{"_internalId":1002,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1001,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text for the link."},"documentation":"The text for the link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for the link."},"documentation":"The href for the link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The bootstrap icon name for the link."},"documentation":"The bootstrap icon name for the link."},"rel":{"type":"string","description":"be a string","tags":{"description":"The rel attribute value for the link."},"documentation":"The rel attribute value for the link."},"target":{"type":"string","description":"be a string","tags":{"description":"The target attribute value for the link."},"documentation":"The target attribute value for the link."}},"patternProperties":{},"required":["text","href"]},"$id":"other-links"},"crossref-labels-schema":{"type":"string","description":"be a string","completions":["alpha","arabic","roman"],"$id":"crossref-labels-schema"},"epub-contributor":{"_internalId":1022,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1021,"type":"anyOf","anyOf":[{"_internalId":1019,"type":"object","description":"be an object","properties":{"role":{"type":"string","description":"be a string","tags":{"description":{"short":"The role of this creator or contributor.","long":"The role of this creator or contributor using \n[MARC relators](https://loc.gov/marc/relators/relaterm.html). Human readable\ntranslations to commonly used relators (e.g. 'author', 'editor') will \nattempt to be automatically translated.\n"}},"documentation":"The role of this creator or contributor."},"file-as":{"type":"string","description":"be a string","tags":{"description":"An alternate version of the creator or contributor text used for alphabatizing."},"documentation":"An alternate version of the creator or contributor text used for\nalphabatizing."},"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the creator or contributor (for example, creator name)."},"documentation":"The text describing the creator or contributor (for example, creator\nname)."}},"patternProperties":{},"closed":true},{"_internalId":1020,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1019,"type":"object","description":"be an object","properties":{"role":{"type":"string","description":"be a string","tags":{"description":{"short":"The role of this creator or contributor.","long":"The role of this creator or contributor using \n[MARC relators](https://loc.gov/marc/relators/relaterm.html). Human readable\ntranslations to commonly used relators (e.g. 'author', 'editor') will \nattempt to be automatically translated.\n"}},"documentation":"The role of this creator or contributor."},"file-as":{"type":"string","description":"be a string","tags":{"description":"An alternate version of the creator or contributor text used for alphabatizing."},"documentation":"An alternate version of the creator or contributor text used for\nalphabatizing."},"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the creator or contributor (for example, creator name)."},"documentation":"The text describing the creator or contributor (for example, creator\nname)."}},"patternProperties":{},"closed":true}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: a string, at least one of: an object, an array of values, where each element must be an object","$id":"epub-contributor"},"format-language":{"_internalId":1149,"type":"object","description":"be a format language description object","properties":{"toc-title-document":{"type":"string","description":"be a string"},"toc-title-website":{"type":"string","description":"be a string"},"related-formats-title":{"type":"string","description":"be a string"},"related-notebooks-title":{"type":"string","description":"be a string"},"callout-tip-title":{"type":"string","description":"be a string"},"callout-note-title":{"type":"string","description":"be a string"},"callout-warning-title":{"type":"string","description":"be a string"},"callout-important-title":{"type":"string","description":"be a string"},"callout-caution-title":{"type":"string","description":"be a string"},"section-title-abstract":{"type":"string","description":"be a string"},"section-title-footnotes":{"type":"string","description":"be a string"},"section-title-appendices":{"type":"string","description":"be a string"},"code-summary":{"type":"string","description":"be a string"},"code-tools-menu-caption":{"type":"string","description":"be a string"},"code-tools-show-all-code":{"type":"string","description":"be a string"},"code-tools-hide-all-code":{"type":"string","description":"be a string"},"code-tools-view-source":{"type":"string","description":"be a string"},"code-tools-source-code":{"type":"string","description":"be a string"},"search-no-results-text":{"type":"string","description":"be a string"},"copy-button-tooltip":{"type":"string","description":"be a string"},"copy-button-tooltip-success":{"type":"string","description":"be a string"},"repo-action-links-edit":{"type":"string","description":"be a string"},"repo-action-links-source":{"type":"string","description":"be a string"},"repo-action-links-issue":{"type":"string","description":"be a string"},"search-matching-documents-text":{"type":"string","description":"be a string"},"search-copy-link-title":{"type":"string","description":"be a string"},"search-hide-matches-text":{"type":"string","description":"be a string"},"search-more-match-text":{"type":"string","description":"be a string"},"search-more-matches-text":{"type":"string","description":"be a string"},"search-clear-button-title":{"type":"string","description":"be a string"},"search-text-placeholder":{"type":"string","description":"be a string"},"search-detached-cancel-button-title":{"type":"string","description":"be a string"},"search-submit-button-title":{"type":"string","description":"be a string"},"crossref-fig-title":{"type":"string","description":"be a string"},"crossref-tbl-title":{"type":"string","description":"be a string"},"crossref-lst-title":{"type":"string","description":"be a string"},"crossref-thm-title":{"type":"string","description":"be a string"},"crossref-lem-title":{"type":"string","description":"be a string"},"crossref-cor-title":{"type":"string","description":"be a string"},"crossref-prp-title":{"type":"string","description":"be a string"},"crossref-cnj-title":{"type":"string","description":"be a string"},"crossref-def-title":{"type":"string","description":"be a string"},"crossref-exm-title":{"type":"string","description":"be a string"},"crossref-exr-title":{"type":"string","description":"be a string"},"crossref-fig-prefix":{"type":"string","description":"be a string"},"crossref-tbl-prefix":{"type":"string","description":"be a string"},"crossref-lst-prefix":{"type":"string","description":"be a string"},"crossref-ch-prefix":{"type":"string","description":"be a string"},"crossref-apx-prefix":{"type":"string","description":"be a string"},"crossref-sec-prefix":{"type":"string","description":"be a string"},"crossref-eq-prefix":{"type":"string","description":"be a string"},"crossref-thm-prefix":{"type":"string","description":"be a string"},"crossref-lem-prefix":{"type":"string","description":"be a string"},"crossref-cor-prefix":{"type":"string","description":"be a string"},"crossref-prp-prefix":{"type":"string","description":"be a string"},"crossref-cnj-prefix":{"type":"string","description":"be a string"},"crossref-def-prefix":{"type":"string","description":"be a string"},"crossref-exm-prefix":{"type":"string","description":"be a string"},"crossref-exr-prefix":{"type":"string","description":"be a string"},"crossref-lof-title":{"type":"string","description":"be a string"},"crossref-lot-title":{"type":"string","description":"be a string"},"crossref-lol-title":{"type":"string","description":"be a string"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention toc-title-document,toc-title-website,related-formats-title,related-notebooks-title,callout-tip-title,callout-note-title,callout-warning-title,callout-important-title,callout-caution-title,section-title-abstract,section-title-footnotes,section-title-appendices,code-summary,code-tools-menu-caption,code-tools-show-all-code,code-tools-hide-all-code,code-tools-view-source,code-tools-source-code,search-no-results-text,copy-button-tooltip,copy-button-tooltip-success,repo-action-links-edit,repo-action-links-source,repo-action-links-issue,search-matching-documents-text,search-copy-link-title,search-hide-matches-text,search-more-match-text,search-more-matches-text,search-clear-button-title,search-text-placeholder,search-detached-cancel-button-title,search-submit-button-title,crossref-fig-title,crossref-tbl-title,crossref-lst-title,crossref-thm-title,crossref-lem-title,crossref-cor-title,crossref-prp-title,crossref-cnj-title,crossref-def-title,crossref-exm-title,crossref-exr-title,crossref-fig-prefix,crossref-tbl-prefix,crossref-lst-prefix,crossref-ch-prefix,crossref-apx-prefix,crossref-sec-prefix,crossref-eq-prefix,crossref-thm-prefix,crossref-lem-prefix,crossref-cor-prefix,crossref-prp-prefix,crossref-cnj-prefix,crossref-def-prefix,crossref-exm-prefix,crossref-exr-prefix,crossref-lof-title,crossref-lot-title,crossref-lol-title","type":"string","pattern":"(?!(^toc_title_document$|^tocTitleDocument$|^toc_title_website$|^tocTitleWebsite$|^related_formats_title$|^relatedFormatsTitle$|^related_notebooks_title$|^relatedNotebooksTitle$|^callout_tip_title$|^calloutTipTitle$|^callout_note_title$|^calloutNoteTitle$|^callout_warning_title$|^calloutWarningTitle$|^callout_important_title$|^calloutImportantTitle$|^callout_caution_title$|^calloutCautionTitle$|^section_title_abstract$|^sectionTitleAbstract$|^section_title_footnotes$|^sectionTitleFootnotes$|^section_title_appendices$|^sectionTitleAppendices$|^code_summary$|^codeSummary$|^code_tools_menu_caption$|^codeToolsMenuCaption$|^code_tools_show_all_code$|^codeToolsShowAllCode$|^code_tools_hide_all_code$|^codeToolsHideAllCode$|^code_tools_view_source$|^codeToolsViewSource$|^code_tools_source_code$|^codeToolsSourceCode$|^search_no_results_text$|^searchNoResultsText$|^copy_button_tooltip$|^copyButtonTooltip$|^copy_button_tooltip_success$|^copyButtonTooltipSuccess$|^repo_action_links_edit$|^repoActionLinksEdit$|^repo_action_links_source$|^repoActionLinksSource$|^repo_action_links_issue$|^repoActionLinksIssue$|^search_matching_documents_text$|^searchMatchingDocumentsText$|^search_copy_link_title$|^searchCopyLinkTitle$|^search_hide_matches_text$|^searchHideMatchesText$|^search_more_match_text$|^searchMoreMatchText$|^search_more_matches_text$|^searchMoreMatchesText$|^search_clear_button_title$|^searchClearButtonTitle$|^search_text_placeholder$|^searchTextPlaceholder$|^search_detached_cancel_button_title$|^searchDetachedCancelButtonTitle$|^search_submit_button_title$|^searchSubmitButtonTitle$|^crossref_fig_title$|^crossrefFigTitle$|^crossref_tbl_title$|^crossrefTblTitle$|^crossref_lst_title$|^crossrefLstTitle$|^crossref_thm_title$|^crossrefThmTitle$|^crossref_lem_title$|^crossrefLemTitle$|^crossref_cor_title$|^crossrefCorTitle$|^crossref_prp_title$|^crossrefPrpTitle$|^crossref_cnj_title$|^crossrefCnjTitle$|^crossref_def_title$|^crossrefDefTitle$|^crossref_exm_title$|^crossrefExmTitle$|^crossref_exr_title$|^crossrefExrTitle$|^crossref_fig_prefix$|^crossrefFigPrefix$|^crossref_tbl_prefix$|^crossrefTblPrefix$|^crossref_lst_prefix$|^crossrefLstPrefix$|^crossref_ch_prefix$|^crossrefChPrefix$|^crossref_apx_prefix$|^crossrefApxPrefix$|^crossref_sec_prefix$|^crossrefSecPrefix$|^crossref_eq_prefix$|^crossrefEqPrefix$|^crossref_thm_prefix$|^crossrefThmPrefix$|^crossref_lem_prefix$|^crossrefLemPrefix$|^crossref_cor_prefix$|^crossrefCorPrefix$|^crossref_prp_prefix$|^crossrefPrpPrefix$|^crossref_cnj_prefix$|^crossrefCnjPrefix$|^crossref_def_prefix$|^crossrefDefPrefix$|^crossref_exm_prefix$|^crossrefExmPrefix$|^crossref_exr_prefix$|^crossrefExrPrefix$|^crossref_lof_title$|^crossrefLofTitle$|^crossref_lot_title$|^crossrefLotTitle$|^crossref_lol_title$|^crossrefLolTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"format-language"},"website-about":{"_internalId":1179,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":{"short":"The target id for the about page.","long":"The target id of this about page. When the about page is rendered, it will \nplace read the contents of a `div` with this id into the about template that you \nhave selected (and replace the contents with the rendered about content).\n\nIf no such `div` is defined on the page, a `div` with this id will be created \nand appended to the end of the page.\n"}},"documentation":"The target id for the about page."},"template":{"_internalId":1161,"type":"anyOf","anyOf":[{"_internalId":1158,"type":"enum","enum":["jolla","trestles","solana","marquee","broadside"],"description":"be one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`","completions":["jolla","trestles","solana","marquee","broadside"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`, a string","tags":{"description":{"short":"The template to use to layout this about page.","long":"The template to use to layout this about page. Choose from:\n\n- `jolla`\n- `trestles`\n- `solana`\n- `marquee`\n- `broadside`\n"}},"documentation":"The template to use to layout this about page."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to the main image on the about page.","long":"The path to the main image on the about page. If not specified, \nthe `image` provided for the document itself will be used.\n"}},"documentation":"The path to the main image on the about page."},"image-alt":{"type":"string","description":"be a string","tags":{"description":"The alt text for the main image on the about page."},"documentation":"The alt text for the main image on the about page."},"image-title":{"type":"string","description":"be a string","tags":{"description":"The title for the main image on the about page."},"documentation":"The title for the main image on the about page."},"image-width":{"type":"string","description":"be a string","tags":{"description":{"short":"A valid CSS width for the about page image.","long":"A valid CSS width for the about page image.\n"}},"documentation":"A valid CSS width for the about page image."},"image-shape":{"_internalId":1172,"type":"enum","enum":["rectangle","round","rounded"],"description":"be one of: `rectangle`, `round`, `rounded`","completions":["rectangle","round","rounded"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The shape of the image on the about page.","long":"The shape of the image on the about page.\n\n- `rectangle`\n- `round`\n- `rounded`\n"}},"documentation":"The shape of the image on the about page."},"links":{"_internalId":1178,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":1177,"type":"ref","$ref":"navigation-item","description":"be navigation-item"}}},"patternProperties":{},"required":["template"],"closed":true,"$id":"website-about"},"website-listing":{"_internalId":1334,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":{"short":"The id of this listing.","long":"The id of this listing. When the listing is rendered, it will \nplace the contents into a `div` with this id. If no such `div` is defined on the \npage, a `div` with this id will be created and appended to the end of the page.\n\nIf no `id` is provided for a listing, Quarto will synthesize one when rendering the page.\n"}},"documentation":"The id of this listing."},"type":{"_internalId":1186,"type":"enum","enum":["default","table","grid","custom"],"description":"be one of: `default`, `table`, `grid`, `custom`","completions":["default","table","grid","custom"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of listing to create.","long":"The type of listing to create. Choose one of:\n\n- `default`: A blog style list of items\n- `table`: A table of items\n- `grid`: A grid of item cards\n- `custom`: A custom template, provided by the `template` field\n"}},"documentation":"The type of listing to create."},"contents":{"_internalId":1198,"type":"anyOf","anyOf":[{"_internalId":1196,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1195,"type":"ref","$ref":"website-listing-contents-object","description":"be website-listing-contents-object"}],"description":"be at least one of: a string, website-listing-contents-object"},{"_internalId":1197,"type":"array","description":"be an array of values, where each element must be at least one of: a string, website-listing-contents-object","items":{"_internalId":1196,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1195,"type":"ref","$ref":"website-listing-contents-object","description":"be website-listing-contents-object"}],"description":"be at least one of: a string, website-listing-contents-object"}}],"description":"be at least one of: at least one of: a string, website-listing-contents-object, an array of values, where each element must be at least one of: a string, website-listing-contents-object","tags":{"complete-from":["anyOf",0],"description":"The files or path globs of Quarto documents or YAML files that should be included in the listing."},"documentation":"The files or path globs of Quarto documents or YAML files that should\nbe included in the listing."},"sort":{"_internalId":1209,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1208,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1207,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: a string, an array of values, where each element must be a string","tags":{"description":{"short":"Sort items in the listing by these fields.","long":"Sort items in the listing by these fields. The sort key is made up of a \nfield name followed by a direction `asc` or `desc`.\n\nFor example:\n`date asc`\n\nUse `sort:false` to use the unsorted original order of items.\n"}},"documentation":"Sort items in the listing by these fields."},"max-items":{"type":"number","description":"be a number","tags":{"description":"The maximum number of items to include in this listing."},"documentation":"The maximum number of items to include in this listing."},"page-size":{"type":"number","description":"be a number","tags":{"description":"The number of items to display on a page."},"documentation":"The number of items to display on a page."},"sort-ui":{"_internalId":1223,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1222,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: `true` or `false`, an array of values, where each element must be a string","tags":{"description":{"short":"Shows or hides the sorting control for the listing.","long":"Shows or hides the sorting control for the listing. To control the \nfields that will be displayed in the sorting control, provide a list\nof field names.\n"}},"documentation":"Shows or hides the sorting control for the listing."},"filter-ui":{"_internalId":1233,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1232,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: `true` or `false`, an array of values, where each element must be a string","tags":{"description":{"short":"Shows or hides the filtering control for the listing.","long":"Shows or hides the filtering control for the listing. To control the \nfields that will be used to filter the listing, provide a list\nof field names. By default all fields of the listing will be used\nwhen filtering.\n"}},"documentation":"Shows or hides the filtering control for the listing."},"categories":{"_internalId":1241,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1240,"type":"enum","enum":["numbered","unnumbered","cloud"],"description":"be one of: `numbered`, `unnumbered`, `cloud`","completions":["numbered","unnumbered","cloud"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `numbered`, `unnumbered`, `cloud`","tags":{"description":{"short":"Display item categories from this listing in the margin of the page.","long":"Display item categories from this listing in the margin of the page.\n\n - `numbered`: Category list with number of items\n - `unnumbered`: Category list\n - `cloud`: Word cloud style categories\n"}},"documentation":"Display item categories from this listing in the margin of the\npage."},"feed":{"_internalId":1270,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1269,"type":"object","description":"be an object","properties":{"items":{"type":"number","description":"be a number","tags":{"description":"The number of items to include in your feed. Defaults to 20.\n"},"documentation":"The number of items to include in your feed. Defaults to 20."},"type":{"_internalId":1252,"type":"enum","enum":["full","partial","metadata"],"description":"be one of: `full`, `partial`, `metadata`","completions":["full","partial","metadata"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Whether to include full or partial content in the feed.","long":"Whether to include full or partial content in the feed.\n\n- `full` (default): Include the complete content of the document in the feed.\n- `partial`: Include only the first paragraph of the document in the feed.\n- `metadata`: Use only the title, description, and other document metadata in the feed.\n"}},"documentation":"Whether to include full or partial content in the feed."},"title":{"type":"string","description":"be a string","tags":{"description":{"short":"The title for this feed.","long":"The title for this feed. Defaults to the site title provided the Quarto project.\n"}},"documentation":"The title for this feed."},"image":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to an image for this feed.","long":"The path to an image for this feed. If not specified, the image for the page the listing \nappears on will be used, otherwise an image will be used if specified for the site \nin the Quarto project.\n"}},"documentation":"The path to an image for this feed."},"description":{"type":"string","description":"be a string","tags":{"description":{"short":"The description of this feed.","long":"The description of this feed. If not specified, the description for the page the \nlisting appears on will be used, otherwise the description \nof the site will be used if specified in the Quarto project.\n"}},"documentation":"The description of this feed."},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the feed.","long":"The language of the feed. Omitted if not specified. \nSee [https://www.rssboard.org/rss-language-codes](https://www.rssboard.org/rss-language-codes)\nfor a list of valid language codes.\n"}},"documentation":"The language of the feed."},"categories":{"_internalId":1266,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"A list of categories for which to create separate RSS feeds containing only posts with that category"},"documentation":"A list of categories for which to create separate RSS feeds\ncontaining only posts with that category"},{"_internalId":1265,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"A list of categories for which to create separate RSS feeds containing only posts with that category"},"documentation":"A list of categories for which to create separate RSS feeds\ncontaining only posts with that category"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"xml-stylesheet":{"type":"string","description":"be a string","tags":{"description":"The path to an XML stylesheet (XSL file) used to style the RSS feed."},"documentation":"The path to an XML stylesheet (XSL file) used to style the RSS\nfeed."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Enables an RSS feed for the listing."},"documentation":"Enables an RSS feed for the listing."},"date-format":{"type":"string","description":"be a string","tags":{"description":{"short":"The date format to use when displaying dates (e.g. d-M-yyy).","long":"The date format to use when displaying dates (e.g. d-M-yyy). \nLearn more about supported date formatting values [here](https://quarto.org/docs/reference/dates.html).\n"}},"documentation":"The date format to use when displaying dates (e.g. d-M-yyy)."},"max-description-length":{"type":"number","description":"be a number","tags":{"description":{"short":"The maximum length (in characters) of the description displayed in the listing.","long":"The maximum length (in characters) of the description displayed in the listing.\nDefaults to 175.\n"}},"documentation":"The maximum length (in characters) of the description displayed in\nthe listing."},"image-placeholder":{"type":"string","description":"be a string","tags":{"description":"The default image to use if an item in the listing doesn't have an image."},"documentation":"The default image to use if an item in the listing doesn’t have an\nimage."},"image-lazy-loading":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"If false, images in the listing will be loaded immediately. If true, images will be loaded as they come into view."},"documentation":"If false, images in the listing will be loaded immediately. If true,\nimages will be loaded as they come into view."},"image-align":{"_internalId":1281,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"In `default` type listings, whether to place the image on the right or left side of the post content (`left` or `right`)."},"documentation":"In default type listings, whether to place the image on\nthe right or left side of the post content (left or\nright)."},"image-height":{"type":"string","description":"be a string","tags":{"description":{"short":"The height of the image being displayed.","long":"The height of the image being displayed (a CSS height string).\n\nThe width is automatically determined and the image will fill the rectangle without scaling (cropped to fill).\n"}},"documentation":"The height of the image being displayed."},"grid-columns":{"type":"number","description":"be a number","tags":{"description":{"short":"In `grid` type listings, the number of columns in the grid display.","long":"In grid type listings, the number of columns in the grid display.\nDefaults to 3.\n"}},"documentation":"In grid type listings, the number of columns in the grid\ndisplay."},"grid-item-border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `grid` type listings, whether to display a border around the item card.","long":"In grid type listings, whether to display a border around the item card. Defaults to `true`.\n"}},"documentation":"In grid type listings, whether to display a border\naround the item card."},"grid-item-align":{"_internalId":1290,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `grid` type listings, the alignment of the content within the card.","long":"In grid type listings, the alignment of the content within the card (`left` (default), `right`, or `center`).\n"}},"documentation":"In grid type listings, the alignment of the content\nwithin the card."},"table-striped":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `table` type listings, display the table rows with alternating background colors.","long":"In table type listings, display the table rows with alternating background colors.\nDefaults to `false`.\n"}},"documentation":"In table type listings, display the table rows with\nalternating background colors."},"table-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"In `table` type listings, highlight rows of the table when the user hovers the mouse over them.","long":"In table type listings, highlight rows of the table when the user hovers the mouse over them.\nDefaults to false.\n"}},"documentation":"In table type listings, highlight rows of the table when\nthe user hovers the mouse over them."},"template":{"type":"string","description":"be a string","tags":{"description":{"short":"The path to a custom listing template.","long":"The path to a custom listing template.\n"}},"documentation":"The path to a custom listing template."},"template-params":{"_internalId":1299,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Parameters that are passed to the custom template."},"documentation":"Parameters that are passed to the custom template."},"fields":{"_internalId":1305,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":{"short":"The list of fields to include in this listing","long":"The list of fields to include in this listing.\n"}},"documentation":"The list of fields to include in this listing"},"field-display-names":{"_internalId":1308,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":{"short":"A mapping of display names for listing fields.","long":"A mapping that provides display names for specific fields. For example, to display the title column as ‘Report’ in a table listing you would write:\n\n```yaml\nlisting:\n field-display-names:\n title: \"Report\"\n```\n"}},"documentation":"A mapping of display names for listing fields."},"field-types":{"_internalId":1311,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":{"short":"Provides the date type for the field of a listing item.","long":"Provides the date type for the field of a listing item. Unknown fields are treated\nas strings unless a type is provided. Valid types are `date`, `number`.\n"}},"documentation":"Provides the date type for the field of a listing item."},"field-links":{"_internalId":1316,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":{"short":"This list of fields to display as links in a table listing.","long":"The list of fields to display as hyperlinks to the source document \nwhen the listing type is a table. By default, only the `title` or \n`filename` is displayed as a link.\n"}},"documentation":"This list of fields to display as links in a table listing."},"field-required":{"_internalId":1321,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":{"short":"Fields that items in this listing must have populated.","long":"Fields that items in this listing must have populated.\nIf a listing is rendered and one more items in this listing \nis missing a required field, an error will occur and the render will.\n"}},"documentation":"Fields that items in this listing must have populated."},"include":{"_internalId":1327,"type":"anyOf","anyOf":[{"_internalId":1324,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"_internalId":1326,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1324,"type":"object","description":"be an object","properties":{},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0],"description":"Items with matching field values will be included in the listing."},"documentation":"Items with matching field values will be included in the listing."},"exclude":{"_internalId":1333,"type":"anyOf","anyOf":[{"_internalId":1330,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"_internalId":1332,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1330,"type":"object","description":"be an object","properties":{},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0],"description":"Items with matching field values will be excluded from the listing."},"documentation":"Items with matching field values will be excluded from the\nlisting."}},"patternProperties":{},"closed":true,"$id":"website-listing"},"website-listing-contents-object":{"_internalId":1349,"type":"object","description":"be an object","properties":{"author":{"_internalId":1342,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1341,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string"},"title":{"type":"string","description":"be a string"},"subtitle":{"type":"string","description":"be a string"}},"patternProperties":{},"$id":"website-listing-contents-object"},"csl-date":{"_internalId":1369,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1359,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":1358,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0]}},{"_internalId":1368,"type":"object","description":"be an object","properties":{"year":{"type":"number","description":"be a number","tags":{"description":"The year"},"documentation":"The year"},"month":{"type":"number","description":"be a number","tags":{"description":"The month"},"documentation":"The month"},"day":{"type":"number","description":"be a number","tags":{"description":"The day"},"documentation":"The day"}},"patternProperties":{}}],"description":"be at least one of: a string, at least one of: a number, an array of values, where each element must be a number, an object","$id":"csl-date"},"csl-person":{"_internalId":1389,"type":"anyOf","anyOf":[{"_internalId":1377,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1376,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},{"_internalId":1388,"type":"anyOf","anyOf":[{"_internalId":1386,"type":"object","description":"be an object","properties":{"family-name":{"type":"string","description":"be a string","tags":{"description":"The family name."},"documentation":"The family name."},"given-name":{"type":"string","description":"be a string","tags":{"description":"The given name."},"documentation":"The given name."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention family-name,given-name","type":"string","pattern":"(?!(^family_name$|^familyName$|^given_name$|^givenName$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":1387,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":1386,"type":"object","description":"be an object","properties":{"family-name":{"type":"string","description":"be a string","tags":{"description":"The family name."},"documentation":"The family name."},"given-name":{"type":"string","description":"be a string","tags":{"description":"The given name."},"documentation":"The given name."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention family-name,given-name","type":"string","pattern":"(?!(^family_name$|^familyName$|^given_name$|^givenName$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: at least one of: a string, an array of values, where each element must be a string, at least one of: an object, an array of values, where each element must be an object","$id":"csl-person"},"csl-number":{"_internalId":1396,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","$id":"csl-number"},"csl-item-shared":{"_internalId":1694,"type":"object","description":"be an object","properties":{"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"Collection the item is part of within an archive."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Geographic location of the archive."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Date the item was initially available"},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Call number (to locate the item in a library)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Composer (e.g. of a musical score)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the container holding the item."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Short/abbreviated form of container-title;"},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Director (e.g. of a film).","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"The editor of the item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Combined editor and translator of a work."},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"Date the event related to an item took place."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Executive producer of the item (e.g. of a television series)."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"A url to the full text for this item."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Type, class, or subtype of the item"},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A value which uniquely identifies this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Interviewer (e.g. of an interview)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"id":{"_internalId":1529,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"A value which uniquely identifies this item."},"documentation":"International Standard Serial Number."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Issue number of the item or container holding the item"},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Date the item was issued/published."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"Keyword(s) or tag(s) attached to the item."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"The language of the item (used only for citation of the item)."},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"The license information applicable to an item."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"A cite-specific pinpointer within the item."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"Narrator (e.g. of an audio book)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"Number identifying the item (e.g. a report number)."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Total number of pages of the cited item."},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"The original creator of a work."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Issue date of the original version."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Title of the specific part of an item being cited."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"A url to the pdf for this item."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"PubMed Central reference number."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"PubMed reference number."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"Printing number of the item or container holding the item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"A public url for this item."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"The publisher of the item."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"The geographic location of the publisher."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Recipient (e.g. of a letter)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"Author of the item reviewed by the current item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"Title of the item reviewed by the current item."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Scale of e.g. a map or model."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Creator of a series (e.g. of a television series)."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Short/abbreviated form oftitle."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Translator"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"The type\nof the item."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Version of the item (e.g. “2.0.9” for a software program).","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"Title of the volume of the item or container holding the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Manuscript configuration"},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"internal-schema-hack"},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"When defined, run axe-core accessibility tests on the document."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention abstract-url,accessed,annote,archive,archive-collection,archive_collection,archive-location,archive_location,archive-place,authority,available-date,call-number,chair,chapter-number,citation-key,citation-label,citation-number,collection-editor,collection-number,collection-title,compiler,composer,container-author,container-title,container-title-short,contributor,curator,dimensions,director,division,DOI,edition,editor,editorial-director,editor-translator,event,event-date,event-title,event-place,executive-producer,first-reference-note-number,fulltext-url,genre,guest,host,id,illustrator,interviewer,isbn,ISBN,issn,ISSN,issue,issued,jurisdiction,keyword,language,license,locator,medium,narrator,note,number,number-of-pages,number-of-volumes,organizer,original-author,original-date,original-publisher,original-publisher-place,original-title,page,page-first,page-last,part-number,part-title,pdf-url,performer,pmcid,PMCID,pmid,PMID,printing-number,producer,public-url,publisher,publisher-place,recipient,reviewed-author,reviewed-genre,reviewed-title,scale,script-writer,section,series-creator,source,status,submitted,supplement-number,title-short,translator,type,url,URL,version,volume,volume-title,year-suffix","type":"string","pattern":"(?!(^abstract_url$|^abstractUrl$|^archiveCollection$|^archiveCollection$|^archiveLocation$|^archiveLocation$|^archive_place$|^archivePlace$|^available_date$|^availableDate$|^call_number$|^callNumber$|^chapter_number$|^chapterNumber$|^citation_key$|^citationKey$|^citation_label$|^citationLabel$|^citation_number$|^citationNumber$|^collection_editor$|^collectionEditor$|^collection_number$|^collectionNumber$|^collection_title$|^collectionTitle$|^container_author$|^containerAuthor$|^container_title$|^containerTitle$|^container_title_short$|^containerTitleShort$|^doi$|^doi$|^editorial_director$|^editorialDirector$|^editor_translator$|^editorTranslator$|^event_date$|^eventDate$|^event_title$|^eventTitle$|^event_place$|^eventPlace$|^executive_producer$|^executiveProducer$|^first_reference_note_number$|^firstReferenceNoteNumber$|^fulltext_url$|^fulltextUrl$|^number_of_pages$|^numberOfPages$|^number_of_volumes$|^numberOfVolumes$|^original_author$|^originalAuthor$|^original_date$|^originalDate$|^original_publisher$|^originalPublisher$|^original_publisher_place$|^originalPublisherPlace$|^original_title$|^originalTitle$|^page_first$|^pageFirst$|^page_last$|^pageLast$|^part_number$|^partNumber$|^part_title$|^partTitle$|^pdf_url$|^pdfUrl$|^printing_number$|^printingNumber$|^public_url$|^publicUrl$|^publisher_place$|^publisherPlace$|^reviewed_author$|^reviewedAuthor$|^reviewed_genre$|^reviewedGenre$|^reviewed_title$|^reviewedTitle$|^script_writer$|^scriptWriter$|^series_creator$|^seriesCreator$|^supplement_number$|^supplementNumber$|^title_short$|^titleShort$|^volume_title$|^volumeTitle$|^year_suffix$|^yearSuffix$))","tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true},"$id":"csl-item-shared"},"csl-item":{"_internalId":1694,"type":"object","description":"be an object","properties":{"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"Collection the item is part of within an archive."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Geographic location of the archive."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Date the item was initially available"},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Call number (to locate the item in a library)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Composer (e.g. of a musical score)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the container holding the item."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Short/abbreviated form of container-title;"},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Director (e.g. of a film).","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"The editor of the item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Combined editor and translator of a work."},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"Date the event related to an item took place."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Executive producer of the item (e.g. of a television series)."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"A url to the full text for this item."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Type, class, or subtype of the item"},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A value which uniquely identifies this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Interviewer (e.g. of an interview)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"id":{"_internalId":1714,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"Citation identifier for the item (e.g. \"item1\"). Will be autogenerated if not provided."},"documentation":"Citation identifier for the item (e.g. “item1”). Will be\nautogenerated if not provided."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Issue number of the item or container holding the item"},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Date the item was issued/published."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"Keyword(s) or tag(s) attached to the item."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"The language of the item (used only for citation of the item)."},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"The license information applicable to an item."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"A cite-specific pinpointer within the item."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"Narrator (e.g. of an audio book)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"Number identifying the item (e.g. a report number)."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Total number of pages of the cited item."},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"The original creator of a work."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Issue date of the original version."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Title of the specific part of an item being cited."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"A url to the pdf for this item."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"PubMed Central reference number."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"PubMed reference number."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"Printing number of the item or container holding the item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"A public url for this item."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"The publisher of the item."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"The geographic location of the publisher."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Recipient (e.g. of a letter)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"Author of the item reviewed by the current item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"Title of the item reviewed by the current item."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Scale of e.g. a map or model."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Creator of a series (e.g. of a television series)."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Short/abbreviated form oftitle."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Translator"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"The type\nof the item."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Version of the item (e.g. “2.0.9” for a software program).","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"Title of the volume of the item or container holding the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Manuscript configuration"},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"internal-schema-hack"},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"When defined, run axe-core accessibility tests on the document."},"abstract":{"type":"string","description":"be a string","tags":{"description":"Abstract of the item (e.g. the abstract of a journal article)"},"documentation":"Abstract of the item (e.g. the abstract of a journal article)"},"author":{"_internalId":1701,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The author(s) of the item."},"documentation":"The author(s) of the item."},"doi":{"type":"string","description":"be a string","tags":{"description":"Digital Object Identifier (e.g. \"10.1128/AEM.02591-07\")"},"documentation":"Digital Object Identifier (e.g. “10.1128/AEM.02591-07”)"},"references":{"type":"string","description":"be a string","tags":{"description":{"short":"Resources related to the procedural history of a legal case or legislation.","long":"Resources related to the procedural history of a legal case or legislation;\n\nCan also be used to refer to the procedural history of other items (e.g. \n\"Conference canceled\" for a presentation accepted as a conference that was subsequently \ncanceled; details of a retraction or correction notice)\n"}},"documentation":"Resources related to the procedural history of a legal case or\nlegislation."},"title":{"type":"string","description":"be a string","tags":{"description":"The primary title of the item."},"documentation":"The primary title of the item."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true},"$id":"csl-item"},"citation-item":{"_internalId":1694,"type":"object","description":"be an object","properties":{"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"Collection the item is part of within an archive."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Geographic location of the archive."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Date the item was initially available"},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Call number (to locate the item in a library)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Composer (e.g. of a musical score)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the container holding the item."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Short/abbreviated form of container-title;"},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Director (e.g. of a film).","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"The editor of the item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Combined editor and translator of a work."},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"Date the event related to an item took place."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Executive producer of the item (e.g. of a television series)."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"A url to the full text for this item."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Type, class, or subtype of the item"},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A value which uniquely identifies this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Interviewer (e.g. of an interview)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"id":{"_internalId":1714,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"Citation identifier for the item (e.g. \"item1\"). Will be autogenerated if not provided."},"documentation":"Citation identifier for the item (e.g. “item1”). Will be\nautogenerated if not provided."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Issue number of the item or container holding the item"},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Date the item was issued/published."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"Keyword(s) or tag(s) attached to the item."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"The language of the item (used only for citation of the item)."},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"The license information applicable to an item."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"A cite-specific pinpointer within the item."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"Narrator (e.g. of an audio book)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"Number identifying the item (e.g. a report number)."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Total number of pages of the cited item."},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"The original creator of a work."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Issue date of the original version."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Title of the specific part of an item being cited."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"A url to the pdf for this item."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"PubMed Central reference number."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"PubMed reference number."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"Printing number of the item or container holding the item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"A public url for this item."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"The publisher of the item."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"The geographic location of the publisher."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Recipient (e.g. of a letter)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"Author of the item reviewed by the current item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"Title of the item reviewed by the current item."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Scale of e.g. a map or model."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Creator of a series (e.g. of a television series)."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Short/abbreviated form oftitle."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Translator"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"The type\nof the item."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Version of the item (e.g. “2.0.9” for a software program).","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"Title of the volume of the item or container holding the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Manuscript configuration"},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"internal-schema-hack"},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"When defined, run axe-core accessibility tests on the document."},"abstract":{"type":"string","description":"be a string","tags":{"description":"Abstract of the item (e.g. the abstract of a journal article)"},"documentation":"Abstract of the item (e.g. the abstract of a journal article)"},"author":{"_internalId":1701,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The author(s) of the item."},"documentation":"The author(s) of the item."},"doi":{"type":"string","description":"be a string","tags":{"description":"Digital Object Identifier (e.g. \"10.1128/AEM.02591-07\")"},"documentation":"Digital Object Identifier (e.g. “10.1128/AEM.02591-07”)"},"references":{"type":"string","description":"be a string","tags":{"description":{"short":"Resources related to the procedural history of a legal case or legislation.","long":"Resources related to the procedural history of a legal case or legislation;\n\nCan also be used to refer to the procedural history of other items (e.g. \n\"Conference canceled\" for a presentation accepted as a conference that was subsequently \ncanceled; details of a retraction or correction notice)\n"}},"documentation":"Resources related to the procedural history of a legal case or\nlegislation."},"title":{"type":"string","description":"be a string","tags":{"description":"The primary title of the item."},"documentation":"The primary title of the item."},"article-id":{"_internalId":1735,"type":"anyOf","anyOf":[{"_internalId":1733,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1732,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier"},"documentation":"The type of identifier"},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"},{"_internalId":1734,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":1733,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1732,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier"},"documentation":"The type of identifier"},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"The unique identifier for this article."},"documentation":"The unique identifier for this article."},"elocation-id":{"type":"string","description":"be a string","tags":{"description":"Bibliographic identifier for a document that does not have traditional printed page numbers."},"documentation":"Bibliographic identifier for a document that does not have\ntraditional printed page numbers."},"eissn":{"type":"string","description":"be a string","tags":{"description":"Electronic International Standard Serial Number."},"documentation":"Electronic International Standard Serial Number."},"pissn":{"type":"string","description":"be a string","tags":{"description":"Print International Standard Serial Number."},"documentation":"Print International Standard Serial Number."},"art-access-id":{"type":"string","description":"be a string","tags":{"description":"Generic article accession identifier."},"documentation":"Generic article accession identifier."},"publisher-location":{"type":"string","description":"be a string","tags":{"description":"The location of the publisher of this item."},"documentation":"The location of the publisher of this item."},"subject":{"type":"string","description":"be a string","tags":{"description":"The name of a subject or topic describing the article."},"documentation":"The name of a subject or topic describing the article."},"categories":{"_internalId":1753,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"A list of subjects or topics describing the article."},"documentation":"A list of subjects or topics describing the article."},{"_internalId":1752,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"A list of subjects or topics describing the article."},"documentation":"A list of subjects or topics describing the article."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"container-id":{"_internalId":1769,"type":"anyOf","anyOf":[{"_internalId":1767,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1766,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier (e.g. `nlm-ta` or `pmc`)."},"documentation":"The type of identifier (e.g. nlm-ta or\npmc)."},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"},{"_internalId":1768,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":1767,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1766,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of identifier (e.g. `nlm-ta` or `pmc`)."},"documentation":"The type of identifier (e.g. nlm-ta or\npmc)."},"value":{"type":"string","description":"be a string","tags":{"description":"The value for the identifier"},"documentation":"The value for the identifier"}},"patternProperties":{}}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":{"short":"External identifier of a publication or journal.","long":"External identifier, typically assigned to a journal by \na publisher, archive, or library to provide a unique identifier for \nthe journal or publication.\n"}},"documentation":"External identifier of a publication or journal."},"jats-type":{"type":"string","description":"be a string","tags":{"description":"The type used for the JATS `article` tag."},"documentation":"The type used for the JATS article tag."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true},"$id":"citation-item"},"smart-include":{"_internalId":1787,"type":"anyOf","anyOf":[{"_internalId":1781,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"Textual content to add to includes"},"documentation":"Textual content to add to includes"}},"patternProperties":{},"required":["text"],"closed":true},{"_internalId":1786,"type":"object","description":"be an object","properties":{"file":{"type":"string","description":"be a string","tags":{"description":"Name of file with content to add to includes"},"documentation":"Name of file with content to add to includes"}},"patternProperties":{},"required":["file"],"closed":true}],"description":"be at least one of: an object, an object","$id":"smart-include"},"semver":{"_internalId":1790,"type":"string","pattern":"^(0|[1-9]\\d*)\\.(0|[1-9]\\d*)\\.(0|[1-9]\\d*)(?:-((?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*)(?:\\.(?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*))*))?(?:\\+([0-9a-zA-Z-]+(?:\\.[0-9a-zA-Z-]+)*))?$","description":"be a string that satisfies regex \"^(0|[1-9]\\d*)\\.(0|[1-9]\\d*)\\.(0|[1-9]\\d*)(?:-((?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*)(?:\\.(?:0|[1-9]\\d*|\\d*[a-zA-Z-][0-9a-zA-Z-]*))*))?(?:\\+([0-9a-zA-Z-]+(?:\\.[0-9a-zA-Z-]+)*))?$\"","$id":"semver","tags":{"description":"Version number according to Semantic Versioning"},"documentation":"Version number according to Semantic Versioning"},"quarto-date":{"_internalId":1802,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1801,"type":"object","description":"be an object","properties":{"format":{"type":"string","description":"be a string"},"value":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["value"],"closed":true}],"description":"be at least one of: a string, an object","$id":"quarto-date"},"project-profile":{"_internalId":1822,"type":"object","description":"be an object","properties":{"default":{"_internalId":1812,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1811,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Default profile to apply if QUARTO_PROFILE is not defined.\n"},"documentation":"Default profile to apply if QUARTO_PROFILE is not defined."},"group":{"_internalId":1821,"type":"anyOf","anyOf":[{"_internalId":1819,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},{"_internalId":1820,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":1819,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}}],"description":"be at least one of: an array of values, where each element must be a string, an array of values, where each element must be an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Define a profile group for which at least one profile is always active.\n"},"documentation":"Define a profile group for which at least one profile is always\nactive."}},"patternProperties":{},"closed":true,"$id":"project-profile","tags":{"description":"Specify a default profile and profile groups"},"documentation":"Specify a default profile and profile groups"},"bad-parse-schema":{"_internalId":1830,"type":"object","description":"be an object","properties":{},"patternProperties":{},"propertyNames":{"_internalId":1829,"type":"string","pattern":"^[^\\s]+$","description":"be a string that satisfies regex \"^[^\\s]+$\""},"$id":"bad-parse-schema"},"quarto-dev-schema":{"_internalId":1872,"type":"object","description":"be an object","properties":{"_quarto":{"_internalId":1871,"type":"object","description":"be an object","properties":{"trace-filters":{"type":"string","description":"be a string"},"tests":{"_internalId":1870,"type":"object","description":"be an object","properties":{"run":{"_internalId":1869,"type":"object","description":"be an object","properties":{"ci":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Run tests on CI (true = run, false = skip)"},"documentation":"The title of the notebook when viewed."},"os":{"_internalId":1856,"type":"anyOf","anyOf":[{"_internalId":1849,"type":"enum","enum":["linux","darwin","windows"],"description":"be one of: `linux`, `darwin`, `windows`","completions":["linux","darwin","windows"],"exhaustiveCompletions":true},{"_internalId":1855,"type":"array","description":"be an array of values, where each element must be one of: `linux`, `darwin`, `windows`","items":{"_internalId":1854,"type":"enum","enum":["linux","darwin","windows"],"description":"be one of: `linux`, `darwin`, `windows`","completions":["linux","darwin","windows"],"exhaustiveCompletions":true}}],"description":"be at least one of: one of: `linux`, `darwin`, `windows`, an array of values, where each element must be one of: `linux`, `darwin`, `windows`","tags":{"description":"Run tests ONLY on these platforms (whitelist)"},"documentation":"The url to use when viewing this notebook."},"not_os":{"_internalId":1868,"type":"anyOf","anyOf":[{"_internalId":1861,"type":"enum","enum":["linux","darwin","windows"],"description":"be one of: `linux`, `darwin`, `windows`","completions":["linux","darwin","windows"],"exhaustiveCompletions":true},{"_internalId":1867,"type":"array","description":"be an array of values, where each element must be one of: `linux`, `darwin`, `windows`","items":{"_internalId":1866,"type":"enum","enum":["linux","darwin","windows"],"description":"be one of: `linux`, `darwin`, `windows`","completions":["linux","darwin","windows"],"exhaustiveCompletions":true}}],"description":"be at least one of: one of: `linux`, `darwin`, `windows`, an array of values, where each element must be one of: `linux`, `darwin`, `windows`","tags":{"description":"Don't run tests on these platforms (blacklist)"},"documentation":"The url to use when downloading the notebook from the preview"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention ci,os,not_os","type":"string","pattern":"(?!(^not-os$|^notOs$))","tags":{"case-convention":["underscore_case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["underscore_case"],"error-importance":-5,"case-detection":true,"description":"Control when tests should run"},"documentation":"The path to the locally referenced notebook."}},"patternProperties":{}}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention trace-filters,tests","type":"string","pattern":"(?!(^trace_filters$|^traceFilters$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true,"hidden":true},"completions":[]}},"patternProperties":{},"$id":"quarto-dev-schema"},"notebook-view-schema":{"_internalId":1890,"type":"object","description":"be an object","properties":{"notebook":{"type":"string","description":"be a string","tags":{"description":"The path to the locally referenced notebook."},"documentation":"The bootstrap icon for this code link."},"title":{"_internalId":1885,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The title of the notebook when viewed."},"documentation":"The text for this code link."},"url":{"type":"string","description":"be a string","tags":{"description":"The url to use when viewing this notebook."},"documentation":"The href for this code link."},"download-url":{"type":"string","description":"be a string","tags":{"description":"The url to use when downloading the notebook from the preview"},"documentation":"The rel used in the a tag for this code link."}},"patternProperties":{},"required":["notebook"],"propertyNames":{"errorMessage":"property ${value} does not match case convention notebook,title,url,download-url","type":"string","pattern":"(?!(^download_url$|^downloadUrl$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"notebook-view-schema"},"code-links-schema":{"_internalId":1920,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":1919,"type":"anyOf","anyOf":[{"_internalId":1917,"type":"anyOf","anyOf":[{"_internalId":1913,"type":"object","description":"be an object","properties":{"icon":{"type":"string","description":"be a string","tags":{"description":"The bootstrap icon for this code link."},"documentation":"The target used in the a tag for this code link."},"text":{"type":"string","description":"be a string","tags":{"description":"The text for this code link."},"documentation":"The input document that will serve as the root document for this\nmanuscript"},"href":{"type":"string","description":"be a string","tags":{"description":"The href for this code link."},"documentation":"Code links to display for this manuscript."},"rel":{"type":"string","description":"be a string","tags":{"description":"The rel used in the `a` tag for this code link."},"documentation":"The deployed url for this manuscript"},"target":{"type":"string","description":"be a string","tags":{"description":"The target used in the `a` tag for this code link."},"documentation":"Whether to generate a MECA bundle for this manuscript"}},"patternProperties":{}},{"_internalId":1916,"type":"enum","enum":["repo","binder","devcontainer"],"description":"be one of: `repo`, `binder`, `devcontainer`","completions":["repo","binder","devcontainer"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, one of: `repo`, `binder`, `devcontainer`"},{"_internalId":1918,"type":"array","description":"be an array of values, where each element must be at least one of: an object, one of: `repo`, `binder`, `devcontainer`","items":{"_internalId":1917,"type":"anyOf","anyOf":[{"_internalId":1913,"type":"object","description":"be an object","properties":{"icon":{"type":"string","description":"be a string","tags":{"description":"The bootstrap icon for this code link."},"documentation":"The target used in the a tag for this code link."},"text":{"type":"string","description":"be a string","tags":{"description":"The text for this code link."},"documentation":"The input document that will serve as the root document for this\nmanuscript"},"href":{"type":"string","description":"be a string","tags":{"description":"The href for this code link."},"documentation":"Code links to display for this manuscript."},"rel":{"type":"string","description":"be a string","tags":{"description":"The rel used in the `a` tag for this code link."},"documentation":"The deployed url for this manuscript"},"target":{"type":"string","description":"be a string","tags":{"description":"The target used in the `a` tag for this code link."},"documentation":"Whether to generate a MECA bundle for this manuscript"}},"patternProperties":{}},{"_internalId":1916,"type":"enum","enum":["repo","binder","devcontainer"],"description":"be one of: `repo`, `binder`, `devcontainer`","completions":["repo","binder","devcontainer"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, one of: `repo`, `binder`, `devcontainer`"}}],"description":"be at least one of: at least one of: an object, one of: `repo`, `binder`, `devcontainer`, an array of values, where each element must be at least one of: an object, one of: `repo`, `binder`, `devcontainer`","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: an object, one of: `repo`, `binder`, `devcontainer`, an array of values, where each element must be at least one of: an object, one of: `repo`, `binder`, `devcontainer`","$id":"code-links-schema"},"manuscript-schema":{"_internalId":1968,"type":"object","description":"be an object","properties":{"article":{"type":"string","description":"be a string","tags":{"description":"The input document that will serve as the root document for this manuscript"},"documentation":"Additional file resources to be copied to output directory"},"code-links":{"_internalId":1931,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema","tags":{"description":"Code links to display for this manuscript."},"documentation":"Additional file resources to be copied to output directory"},"manuscript-url":{"type":"string","description":"be a string","tags":{"description":"The deployed url for this manuscript"},"documentation":"Files that specify the execution environment (e.g. renv.lock,\nrequirements.text, etc…)"},"meca-bundle":{"_internalId":1940,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"description":"Whether to generate a MECA bundle for this manuscript"},"documentation":"Files that specify the execution environment (e.g. renv.lock,\nrequirements.text, etc…)"},"notebooks":{"_internalId":1951,"type":"array","description":"be an array of values, where each element must be at least one of: a string, notebook-view-schema","items":{"_internalId":1950,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1949,"type":"ref","$ref":"notebook-view-schema","description":"be notebook-view-schema"}],"description":"be at least one of: a string, notebook-view-schema"}},"resources":{"_internalId":1959,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"The brand name."},{"_internalId":1958,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"The brand name."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"environment":{"_internalId":1967,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Files that specify the execution environment (e.g. renv.lock, requirements.text, etc...)"},"documentation":"The short, informal, or common name of the company or brand."},{"_internalId":1966,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Files that specify the execution environment (e.g. renv.lock, requirements.text, etc...)"},"documentation":"The short, informal, or common name of the company or brand."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true,"$id":"manuscript-schema"},"brand-meta":{"_internalId":2005,"type":"object","description":"be an object","properties":{"name":{"_internalId":1982,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1981,"type":"object","description":"be an object","properties":{"full":{"type":"string","description":"be a string","tags":{"description":"The full, official or legal name of the company or brand."},"documentation":"The brand’s Mastodon URL."},"short":{"type":"string","description":"be a string","tags":{"description":"The short, informal, or common name of the company or brand."},"documentation":"The brand’s Bluesky URL."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The brand name."},"documentation":"The brand’s home page or website."},"link":{"_internalId":2004,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2003,"type":"object","description":"be an object","properties":{"home":{"type":"string","description":"be a string","tags":{"description":"The brand's home page or website."},"documentation":"The brand’s LinkedIn URL."},"mastodon":{"type":"string","description":"be a string","tags":{"description":"The brand's Mastodon URL."},"documentation":"The brand’s Twitter URL."},"bluesky":{"type":"string","description":"be a string","tags":{"description":"The brand's Bluesky URL."},"documentation":"The brand’s Facebook URL."},"github":{"type":"string","description":"be a string","tags":{"description":"The brand's GitHub URL."},"documentation":"A link or path to the brand’s light-colored logo or icon."},"linkedin":{"type":"string","description":"be a string","tags":{"description":"The brand's LinkedIn URL."},"documentation":"A link or path to the brand’s dark-colored logo or icon."},"twitter":{"type":"string","description":"be a string","tags":{"description":"The brand's Twitter URL."},"documentation":"Alternative text for the logo, used for accessibility."},"facebook":{"type":"string","description":"be a string","tags":{"description":"The brand's Facebook URL."},"documentation":"Provide definitions and defaults for brand’s logo in various formats\nand sizes."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Important links for the brand, including social media links. If a single string, it is the brand's home page or website. Additional fields are allowed for internal use.\n"},"documentation":"The brand’s GitHub URL."}},"patternProperties":{},"$id":"brand-meta","tags":{"description":"Metadata for a brand, including the brand name and important links.\n"},"documentation":"Important links for the brand, including social media links. If a\nsingle string, it is the brand’s home page or website. Additional fields\nare allowed for internal use."},"brand-string-light-dark":{"_internalId":2021,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2020,"type":"object","description":"be an object","properties":{"light":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's light-colored logo or icon.\n"},"documentation":"A dictionary of named logo resources."},"dark":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's dark-colored logo or icon.\n"},"documentation":"A link or path to the brand’s small-sized logo or icon."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-string-light-dark"},"brand-logo-explicit-resource":{"_internalId":2030,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for the logo, used for accessibility.\n"},"documentation":"A link or path to the brand’s medium-sized logo."}},"patternProperties":{},"required":["path"],"closed":true,"$id":"brand-logo-explicit-resource"},"brand-logo-resource":{"_internalId":2038,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2037,"type":"ref","$ref":"brand-logo-explicit-resource","description":"be brand-logo-explicit-resource"}],"description":"be at least one of: a string, brand-logo-explicit-resource","$id":"brand-logo-resource"},"brand-logo-single":{"_internalId":2063,"type":"object","description":"be an object","properties":{"images":{"_internalId":2050,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2049,"type":"ref","$ref":"brand-logo-resource","description":"be brand-logo-resource"},"tags":{"description":"A dictionary of named logo resources."},"documentation":"Provide definitions and defaults for brand’s logo in various formats\nand sizes."},"small":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's small-sized logo or icon.\n"},"documentation":"A dictionary of named logo resources."},"medium":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's medium-sized logo.\n"},"documentation":"A link or path to the brand’s small-sized logo or icon, or a link or\npath to both the light and dark versions."},"large":{"type":"string","description":"be a string","tags":{"description":"A link or path to the brand's large- or full-sized logo.\n"},"documentation":"A link or path to the brand’s medium-sized logo, or a link or path to\nboth the light and dark versions."}},"patternProperties":{},"closed":true,"$id":"brand-logo-single","tags":{"description":"Provide definitions and defaults for brand's logo in various formats and sizes.\n"},"documentation":"A link or path to the brand’s large- or full-sized logo."},"brand-logo-unified":{"_internalId":2091,"type":"object","description":"be an object","properties":{"images":{"_internalId":2075,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2074,"type":"ref","$ref":"brand-logo-resource","description":"be brand-logo-resource"},"tags":{"description":"A dictionary of named logo resources."},"documentation":"Names of customizeable logos"},"small":{"_internalId":2080,"type":"ref","$ref":"brand-string-light-dark","description":"be brand-string-light-dark","tags":{"description":"A link or path to the brand's small-sized logo or icon, or a link or path to both the light and dark versions.\n"},"documentation":"Path or brand.yml logo resource name."},"medium":{"_internalId":2085,"type":"ref","$ref":"brand-string-light-dark","description":"be brand-string-light-dark","tags":{"description":"A link or path to the brand's medium-sized logo, or a link or path to both the light and dark versions.\n"},"documentation":"Alternative text for the logo, used for accessibility."},"large":{"_internalId":2090,"type":"ref","$ref":"brand-string-light-dark","description":"be brand-string-light-dark","tags":{"description":"A link or path to the brand's large- or full-sized logo, or a link or path to both the light and dark versions.\n"},"documentation":"Path or brand.yml logo resource name."}},"patternProperties":{},"closed":true,"$id":"brand-logo-unified","tags":{"description":"Provide definitions and defaults for brand's logo in various formats and sizes.\n"},"documentation":"A link or path to the brand’s large- or full-sized logo, or a link or\npath to both the light and dark versions."},"brand-named-logo":{"_internalId":2094,"type":"enum","enum":["small","medium","large"],"description":"be one of: `small`, `medium`, `large`","completions":["small","medium","large"],"exhaustiveCompletions":true,"$id":"brand-named-logo","tags":{"description":"Names of customizeable logos"},"documentation":"Alternative text for the logo, used for accessibility."},"logo-options":{"_internalId":2105,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path or brand.yml logo resource name.\n"},"documentation":"Any of the ways a logo can be specified: string, object, or\nlight/dark object of string or object"},"alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for the logo, used for accessibility.\n"},"documentation":"Specification of a light logo"}},"patternProperties":{},"required":["path"],"$id":"logo-options"},"logo-specifier":{"_internalId":2115,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2114,"type":"ref","$ref":"logo-options","description":"be logo-options"}],"description":"be at least one of: a string, logo-options","$id":"logo-specifier"},"logo-options-path-optional":{"_internalId":2126,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path or brand.yml logo resource name.\n"},"documentation":"Specification of a dark logo"},"alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for the logo, used for accessibility.\n"},"documentation":"Any of the ways a logo can be specified: string, object, or\nlight/dark object of string or object"}},"patternProperties":{},"$id":"logo-options-path-optional"},"logo-specifier-path-optional":{"_internalId":2136,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2135,"type":"ref","$ref":"logo-options-path-optional","description":"be logo-options-path-optional"}],"description":"be at least one of: a string, logo-options-path-optional","$id":"logo-specifier-path-optional"},"logo-light-dark-specifier":{"_internalId":2155,"type":"anyOf","anyOf":[{"_internalId":2141,"type":"ref","$ref":"logo-specifier","description":"be logo-specifier"},{"_internalId":2154,"type":"object","description":"be an object","properties":{"light":{"_internalId":2148,"type":"ref","$ref":"logo-specifier","description":"be logo-specifier","tags":{"description":"Specification of a light logo\n"},"documentation":"Specification of a dark logo"},"dark":{"_internalId":2153,"type":"ref","$ref":"logo-specifier","description":"be logo-specifier","tags":{"description":"Specification of a dark logo\n"},"documentation":"Any of the ways a logo can be specified: string, object, or\nlight/dark object of string or object"}},"patternProperties":{},"closed":true}],"description":"be at least one of: logo-specifier, an object","$id":"logo-light-dark-specifier","tags":{"description":"Any of the ways a logo can be specified: string, object, or light/dark object of string or object\n"},"documentation":"Specification of a light logo"},"logo-light-dark-specifier-path-optional":{"_internalId":2174,"type":"anyOf","anyOf":[{"_internalId":2160,"type":"ref","$ref":"logo-specifier-path-optional","description":"be logo-specifier-path-optional"},{"_internalId":2173,"type":"object","description":"be an object","properties":{"light":{"_internalId":2167,"type":"ref","$ref":"logo-specifier-path-optional","description":"be logo-specifier-path-optional","tags":{"description":"Specification of a light logo\n"},"documentation":"Options for a dark logo"},"dark":{"_internalId":2172,"type":"ref","$ref":"logo-specifier-path-optional","description":"be logo-specifier-path-optional","tags":{"description":"Specification of a dark logo\n"},"documentation":"The brand’s custom color palette and theme."}},"patternProperties":{},"closed":true}],"description":"be at least one of: logo-specifier-path-optional, an object","$id":"logo-light-dark-specifier-path-optional","tags":{"description":"Any of the ways a logo can be specified: string, object, or light/dark object of string or object\n"},"documentation":"Options for a light logo"},"normalized-logo-light-dark-specifier":{"_internalId":2187,"type":"object","description":"be an object","properties":{"light":{"_internalId":2181,"type":"ref","$ref":"logo-options","description":"be logo-options","tags":{"description":"Options for a light logo\n"},"documentation":"The foreground color, used for text."},"dark":{"_internalId":2186,"type":"ref","$ref":"logo-options","description":"be logo-options","tags":{"description":"Options for a dark logo\n"},"documentation":"The background color, used for the page background."}},"patternProperties":{},"closed":true,"$id":"normalized-logo-light-dark-specifier","tags":{"description":"Any of the ways a logo can be specified: string, object, or light/dark object of string or object\n"},"documentation":"The brand’s custom color palette. Any number of colors can be\ndefined, each color having a custom name."},"brand-color-value":{"type":"string","description":"be a string","$id":"brand-color-value"},"brand-color-single":{"_internalId":2262,"type":"object","description":"be an object","properties":{"palette":{"_internalId":2201,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2200,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value"},"tags":{"description":"The brand's custom color palette. Any number of colors can be defined, each color having a custom name.\n"},"documentation":"The secondary accent color. Typically used for lighter text or\ndisabled states."},"foreground":{"_internalId":2206,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The foreground color, used for text."},"documentation":"The tertiary accent color. Typically an even lighter color, used for\nhover states, accents, and wells."},"background":{"_internalId":2211,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The background color, used for the page background."},"documentation":"The color used for positive or successful actions and\ninformation."},"primary":{"_internalId":2216,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The primary accent color, i.e. the main theme color. Typically used for hyperlinks, active states, primary action buttons, etc.\n"},"documentation":"The color used for neutral or informational actions and\ninformation."},"secondary":{"_internalId":2221,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The secondary accent color. Typically used for lighter text or disabled states.\n"},"documentation":"The color used for warning or cautionary actions and information."},"tertiary":{"_internalId":2226,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The tertiary accent color. Typically an even lighter color, used for hover states, accents, and wells.\n"},"documentation":"The color used for errors, dangerous actions, or negative\ninformation."},"success":{"_internalId":2231,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for positive or successful actions and information."},"documentation":"A bright color, used as a high-contrast foreground color on dark\nelements or low-contrast background color on light elements."},"info":{"_internalId":2236,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for neutral or informational actions and information."},"documentation":"A dark color, used as a high-contrast foreground color on light\nelements or high-contrast background color on light elements."},"warning":{"_internalId":2241,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for warning or cautionary actions and information."},"documentation":"The color used for hyperlinks. If not defined, the\nprimary color is used."},"danger":{"_internalId":2246,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for errors, dangerous actions, or negative information."},"documentation":"A link or path to the brand’s light-colored logo or icon."},"light":{"_internalId":2251,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A bright color, used as a high-contrast foreground color on dark elements or low-contrast background color on light elements.\n"},"documentation":"A link or path to the brand’s dark-colored logo or icon."},"dark":{"_internalId":2256,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A dark color, used as a high-contrast foreground color on light elements or high-contrast background color on light elements.\n"},"documentation":"The brand’s custom color palette and theme."},"link":{"_internalId":2261,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"The color used for hyperlinks. If not defined, the `primary` color is used.\n"},"documentation":"The brand’s custom color palette. Any number of colors can be\ndefined, each color having a custom name."}},"patternProperties":{},"closed":true,"$id":"brand-color-single","tags":{"description":"The brand's custom color palette and theme.\n"},"documentation":"The primary accent color, i.e. the main theme color. Typically used\nfor hyperlinks, active states, primary action buttons, etc."},"brand-color-light-dark":{"_internalId":2281,"type":"anyOf","anyOf":[{"_internalId":2267,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value"},{"_internalId":2280,"type":"object","description":"be an object","properties":{"light":{"_internalId":2274,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A link or path to the brand's light-colored logo or icon.\n"},"documentation":"The foreground color, used for text."},"dark":{"_internalId":2279,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value","tags":{"description":"A link or path to the brand's dark-colored logo or icon.\n"},"documentation":"The background color, used for the page background."}},"patternProperties":{},"closed":true}],"description":"be at least one of: brand-color-value, an object","$id":"brand-color-light-dark"},"brand-color-unified":{"_internalId":2352,"type":"object","description":"be an object","properties":{"palette":{"_internalId":2291,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2290,"type":"ref","$ref":"brand-color-value","description":"be brand-color-value"},"tags":{"description":"The brand's custom color palette. Any number of colors can be defined, each color having a custom name.\n"},"documentation":"The secondary accent color. Typically used for lighter text or\ndisabled states."},"foreground":{"_internalId":2296,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The foreground color, used for text."},"documentation":"The tertiary accent color. Typically an even lighter color, used for\nhover states, accents, and wells."},"background":{"_internalId":2301,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The background color, used for the page background."},"documentation":"The color used for positive or successful actions and\ninformation."},"primary":{"_internalId":2306,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The primary accent color, i.e. the main theme color. Typically used for hyperlinks, active states, primary action buttons, etc.\n"},"documentation":"The color used for neutral or informational actions and\ninformation."},"secondary":{"_internalId":2311,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The secondary accent color. Typically used for lighter text or disabled states.\n"},"documentation":"The color used for warning or cautionary actions and information."},"tertiary":{"_internalId":2316,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The tertiary accent color. Typically an even lighter color, used for hover states, accents, and wells.\n"},"documentation":"The color used for errors, dangerous actions, or negative\ninformation."},"success":{"_internalId":2321,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for positive or successful actions and information."},"documentation":"A bright color, used as a high-contrast foreground color on dark\nelements or low-contrast background color on light elements."},"info":{"_internalId":2326,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for neutral or informational actions and information."},"documentation":"A dark color, used as a high-contrast foreground color on light\nelements or high-contrast background color on light elements."},"warning":{"_internalId":2331,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for warning or cautionary actions and information."},"documentation":"The color used for hyperlinks. If not defined, the\nprimary color is used."},"danger":{"_internalId":2336,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for errors, dangerous actions, or negative information."},"documentation":"A color, which may be a named brand color."},"light":{"_internalId":2341,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"A bright color, used as a high-contrast foreground color on dark elements or low-contrast background color on light elements.\n"},"documentation":"A link or path to the brand’s light-colored logo or icon."},"dark":{"_internalId":2346,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"A dark color, used as a high-contrast foreground color on light elements or high-contrast background color on light elements.\n"},"documentation":"A link or path to the brand’s dark-colored logo or icon."},"link":{"_internalId":2351,"type":"ref","$ref":"brand-color-light-dark","description":"be brand-color-light-dark","tags":{"description":"The color used for hyperlinks. If not defined, the `primary` color is used.\n"},"documentation":"A named brand color, taken either from color.theme or\ncolor.palette (in that order)."}},"patternProperties":{},"closed":true,"$id":"brand-color-unified","tags":{"description":"The brand's custom color palette and theme.\n"},"documentation":"The primary accent color, i.e. the main theme color. Typically used\nfor hyperlinks, active states, primary action buttons, etc."},"brand-maybe-named-color":{"_internalId":2362,"type":"anyOf","anyOf":[{"_internalId":2357,"type":"ref","$ref":"brand-named-theme-color","description":"be brand-named-theme-color"},{"type":"string","description":"be a string"}],"description":"be at least one of: brand-named-theme-color, a string","$id":"brand-maybe-named-color","tags":{"description":"A color, which may be a named brand color.\n"},"documentation":"Typography definitions for the brand."},"brand-maybe-named-color-light-dark":{"_internalId":2381,"type":"anyOf","anyOf":[{"_internalId":2367,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},{"_internalId":2380,"type":"object","description":"be an object","properties":{"light":{"_internalId":2374,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color","tags":{"description":"A link or path to the brand's light-colored logo or icon.\n"},"documentation":"Font files and definitions for the brand."},"dark":{"_internalId":2379,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color","tags":{"description":"A link or path to the brand's dark-colored logo or icon.\n"},"documentation":"The base font settings for the brand. These are used as the default\nfor all text."}},"patternProperties":{},"closed":true}],"description":"be at least one of: brand-maybe-named-color, an object","$id":"brand-maybe-named-color-light-dark"},"brand-named-theme-color":{"_internalId":2384,"type":"enum","enum":["foreground","background","primary","secondary","tertiary","success","info","warning","danger","light","dark","link"],"description":"be one of: `foreground`, `background`, `primary`, `secondary`, `tertiary`, `success`, `info`, `warning`, `danger`, `light`, `dark`, `link`","completions":["foreground","background","primary","secondary","tertiary","success","info","warning","danger","light","dark","link"],"exhaustiveCompletions":true,"$id":"brand-named-theme-color","tags":{"description":"A named brand color, taken either from `color.theme` or `color.palette` (in that order).\n"},"documentation":"Settings for headings, or a string specifying the font family\nonly."},"brand-typography-single":{"_internalId":2411,"type":"object","description":"be an object","properties":{"fonts":{"_internalId":2392,"type":"array","description":"be an array of values, where each element must be brand-font","items":{"_internalId":2391,"type":"ref","$ref":"brand-font","description":"be brand-font"},"tags":{"description":"Font files and definitions for the brand."},"documentation":"Settings for inline code, or a string specifying the font family\nonly."},"base":{"_internalId":2395,"type":"ref","$ref":"brand-typography-options-base","description":"be brand-typography-options-base","tags":{"description":"The base font settings for the brand. These are used as the default for all text.\n"},"documentation":"Settings for code blocks, or a string specifying the font family\nonly."},"headings":{"_internalId":2398,"type":"ref","$ref":"brand-typography-options-headings-single","description":"be brand-typography-options-headings-single","tags":{"description":"Settings for headings, or a string specifying the font family only."},"documentation":"Settings for links."},"monospace":{"_internalId":2401,"type":"ref","$ref":"brand-typography-options-monospace-single","description":"be brand-typography-options-monospace-single","tags":{"description":"Settings for monospace text, or a string specifying the font family only."},"documentation":"Typography definitions for the brand."},"monospace-inline":{"_internalId":2404,"type":"ref","$ref":"brand-typography-options-monospace-inline-single","description":"be brand-typography-options-monospace-inline-single","tags":{"description":"Settings for inline code, or a string specifying the font family only."},"documentation":"Font files and definitions for the brand."},"monospace-block":{"_internalId":2407,"type":"ref","$ref":"brand-typography-options-monospace-block-single","description":"be brand-typography-options-monospace-block-single","tags":{"description":"Settings for code blocks, or a string specifying the font family only."},"documentation":"The base font settings for the brand. These are used as the default\nfor all text."},"link":{"_internalId":2410,"type":"ref","$ref":"brand-typography-options-link-single","description":"be brand-typography-options-link-single","tags":{"description":"Settings for links."},"documentation":"Settings for headings, or a string specifying the font family\nonly."}},"patternProperties":{},"closed":true,"$id":"brand-typography-single","tags":{"description":"Typography definitions for the brand."},"documentation":"Settings for monospace text, or a string specifying the font family\nonly."},"brand-typography-unified":{"_internalId":2438,"type":"object","description":"be an object","properties":{"fonts":{"_internalId":2419,"type":"array","description":"be an array of values, where each element must be brand-font","items":{"_internalId":2418,"type":"ref","$ref":"brand-font","description":"be brand-font"},"tags":{"description":"Font files and definitions for the brand."},"documentation":"Settings for inline code, or a string specifying the font family\nonly."},"base":{"_internalId":2422,"type":"ref","$ref":"brand-typography-options-base","description":"be brand-typography-options-base","tags":{"description":"The base font settings for the brand. These are used as the default for all text.\n"},"documentation":"Settings for code blocks, or a string specifying the font family\nonly."},"headings":{"_internalId":2425,"type":"ref","$ref":"brand-typography-options-headings-unified","description":"be brand-typography-options-headings-unified","tags":{"description":"Settings for headings, or a string specifying the font family only."},"documentation":"Settings for links."},"monospace":{"_internalId":2428,"type":"ref","$ref":"brand-typography-options-monospace-unified","description":"be brand-typography-options-monospace-unified","tags":{"description":"Settings for monospace text, or a string specifying the font family only."},"documentation":"Base typographic options."},"monospace-inline":{"_internalId":2431,"type":"ref","$ref":"brand-typography-options-monospace-inline-unified","description":"be brand-typography-options-monospace-inline-unified","tags":{"description":"Settings for inline code, or a string specifying the font family only."},"documentation":"Typographic options for headings."},"monospace-block":{"_internalId":2434,"type":"ref","$ref":"brand-typography-options-monospace-block-unified","description":"be brand-typography-options-monospace-block-unified","tags":{"description":"Settings for code blocks, or a string specifying the font family only."},"documentation":"Typographic options for headings."},"link":{"_internalId":2437,"type":"ref","$ref":"brand-typography-options-link-unified","description":"be brand-typography-options-link-unified","tags":{"description":"Settings for links."},"documentation":"Typographic options for monospace elements."}},"patternProperties":{},"closed":true,"$id":"brand-typography-unified","tags":{"description":"Typography definitions for the brand."},"documentation":"Settings for monospace text, or a string specifying the font family\nonly."},"brand-typography-options-base":{"_internalId":2456,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2455,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2451,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"line-height":{"_internalId":2454,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-base","tags":{"description":"Base typographic options."},"documentation":"Typographic options for monospace elements."},"brand-typography-options-headings-single":{"_internalId":2478,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2477,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"weight":{"_internalId":2467,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"style":{"_internalId":2470,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},"color":{"_internalId":2473,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"line-height":{"_internalId":2476,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-headings-single","tags":{"description":"Typographic options for headings."},"documentation":"Typographic options for inline monospace elements."},"brand-typography-options-headings-unified":{"_internalId":2500,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2499,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"weight":{"_internalId":2489,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"style":{"_internalId":2492,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},"color":{"_internalId":2495,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"line-height":{"_internalId":2498,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-headings-unified","tags":{"description":"Typographic options for headings."},"documentation":"Typographic options for inline monospace elements."},"brand-typography-options-monospace-single":{"_internalId":2521,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2520,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2513,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2516,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2519,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-single","tags":{"description":"Typographic options for monospace elements."},"documentation":"Line height"},"brand-typography-options-monospace-unified":{"_internalId":2542,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2541,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2534,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2537,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2540,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-unified","tags":{"description":"Typographic options for monospace elements."},"documentation":"Typographic options for block monospace elements."},"brand-typography-options-monospace-inline-single":{"_internalId":2563,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2562,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2555,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2558,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2561,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-inline-single","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"Typographic options for block monospace elements."},"brand-typography-options-monospace-inline-unified":{"_internalId":2584,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2583,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2576,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2579,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2582,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-inline-unified","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"Typographic options for inline monospace elements."},"line-height-number-string":{"_internalId":2591,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","$id":"line-height-number-string","tags":{"description":"Line height"},"documentation":"Typographic options for inline monospace elements."},"brand-typography-options-monospace-block-single":{"_internalId":2615,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2614,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2604,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2607,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2610,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"line-height":{"_internalId":2613,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-block-single","tags":{"description":"Typographic options for block monospace elements."},"documentation":"Names of customizeable typography elements"},"brand-typography-options-monospace-block-unified":{"_internalId":2639,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2638,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string"},"size":{"type":"string","description":"be a string"},"weight":{"_internalId":2628,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2631,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2634,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"line-height":{"_internalId":2637,"type":"ref","$ref":"line-height-number-string","description":"be line-height-number-string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-monospace-block-unified","tags":{"description":"Typographic options for block monospace elements."},"documentation":"Font files and definitions for the brand."},"brand-typography-options-link-single":{"_internalId":2658,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2657,"type":"object","description":"be an object","properties":{"weight":{"_internalId":2648,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2651,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"background-color":{"_internalId":2654,"type":"ref","$ref":"brand-maybe-named-color","description":"be brand-maybe-named-color"},"decoration":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-link-single","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"A font weight."},"brand-typography-options-link-unified":{"_internalId":2677,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2676,"type":"object","description":"be an object","properties":{"weight":{"_internalId":2667,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"color":{"_internalId":2670,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"background-color":{"_internalId":2673,"type":"ref","$ref":"brand-maybe-named-color-light-dark","description":"be brand-maybe-named-color-light-dark"},"decoration":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-typography-options-link-unified","tags":{"description":"Typographic options for inline monospace elements."},"documentation":"A font style."},"brand-named-typography-elements":{"_internalId":2680,"type":"enum","enum":["base","headings","monospace","monospace-inline","monospace-block","link"],"description":"be one of: `base`, `headings`, `monospace`, `monospace-inline`, `monospace-block`, `link`","completions":["base","headings","monospace","monospace-inline","monospace-block","link"],"exhaustiveCompletions":true,"$id":"brand-named-typography-elements","tags":{"description":"Names of customizeable typography elements"},"documentation":"The font family name, which must match the name of the font on the\nfoundry website."},"brand-font":{"_internalId":2695,"type":"anyOf","anyOf":[{"_internalId":2685,"type":"ref","$ref":"brand-font-google","description":"be brand-font-google"},{"_internalId":2688,"type":"ref","$ref":"brand-font-bunny","description":"be brand-font-bunny"},{"_internalId":2691,"type":"ref","$ref":"brand-font-file","description":"be brand-font-file"},{"_internalId":2694,"type":"ref","$ref":"brand-font-system","description":"be brand-font-system"}],"description":"be at least one of: brand-font-google, brand-font-bunny, brand-font-file, brand-font-system","$id":"brand-font","tags":{"description":"Font files and definitions for the brand."},"documentation":"The font weights to include."},"brand-font-weight":{"_internalId":2698,"type":"enum","enum":[100,200,300,400,500,600,700,800,900,"thin","extra-light","ultra-light","light","normal","regular","medium","semi-bold","demi-bold","bold","extra-bold","ultra-bold","black"],"description":"be one of: `100`, `200`, `300`, `400`, `500`, `600`, `700`, `800`, `900`, `thin`, `extra-light`, `ultra-light`, `light`, `normal`, `regular`, `medium`, `semi-bold`, `demi-bold`, `bold`, `extra-bold`, `ultra-bold`, `black`","completions":["100","200","300","400","500","600","700","800","900","thin","extra-light","ultra-light","light","normal","regular","medium","semi-bold","demi-bold","bold","extra-bold","ultra-bold","black"],"exhaustiveCompletions":true,"$id":"brand-font-weight","tags":{"description":"A font weight."},"documentation":"The font styles to include."},"brand-font-style":{"_internalId":2701,"type":"enum","enum":["normal","italic","oblique"],"description":"be one of: `normal`, `italic`, `oblique`","completions":["normal","italic","oblique"],"exhaustiveCompletions":true,"$id":"brand-font-style","tags":{"description":"A font style."},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"brand-font-common":{"_internalId":2727,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"A method for providing font files directly, either locally or from an\nonline location."},"weight":{"_internalId":2716,"type":"anyOf","anyOf":[{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2715,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font family name."},"style":{"_internalId":2723,"type":"anyOf","anyOf":[{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2722,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font files to include. These can be local or online. Local file\npaths should be relative to the brand.yml file. Online\npaths should be complete URLs."},"display":{"_internalId":2726,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The path to the font file. This can be a local path or a URL."}},"patternProperties":{},"closed":true,"$id":"brand-font-common"},"brand-font-system":{"_internalId":2727,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"A method for providing font files directly, either locally or from an\nonline location."},"weight":{"_internalId":2716,"type":"anyOf","anyOf":[{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2715,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font family name."},"style":{"_internalId":2723,"type":"anyOf","anyOf":[{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2722,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font files to include. These can be local or online. Local file\npaths should be relative to the brand.yml file. Online\npaths should be complete URLs."},"display":{"_internalId":2726,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The path to the font file. This can be a local path or a URL."},"source":{"_internalId":2732,"type":"enum","enum":["system"],"description":"be 'system'","completions":["system"],"exhaustiveCompletions":true}},"patternProperties":{},"closed":true,"required":["source"],"$id":"brand-font-system","tags":{"description":"A system font definition."},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"brand-font-google":{"_internalId":2727,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"A method for providing font files directly, either locally or from an\nonline location."},"weight":{"_internalId":2716,"type":"anyOf","anyOf":[{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2715,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font family name."},"style":{"_internalId":2723,"type":"anyOf","anyOf":[{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2722,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font files to include. These can be local or online. Local file\npaths should be relative to the brand.yml file. Online\npaths should be complete URLs."},"display":{"_internalId":2726,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The path to the font file. This can be a local path or a URL."},"source":{"_internalId":2740,"type":"enum","enum":["google"],"description":"be 'google'","completions":["google"],"exhaustiveCompletions":true}},"patternProperties":{},"closed":true,"required":["source"],"$id":"brand-font-google","tags":{"description":"A font definition from Google Fonts."},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"brand-font-bunny":{"_internalId":2727,"type":"object","description":"be an object","properties":{"family":{"type":"string","description":"be a string","tags":{"description":"The font family name, which must match the name of the font on the foundry website."},"documentation":"A method for providing font files directly, either locally or from an\nonline location."},"weight":{"_internalId":2716,"type":"anyOf","anyOf":[{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},{"_internalId":2715,"type":"array","description":"be an array of values, where each element must be brand-font-weight","items":{"_internalId":2714,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"}}],"description":"be at least one of: brand-font-weight, an array of values, where each element must be brand-font-weight","tags":{"complete-from":["anyOf",0],"description":"The font weights to include."},"documentation":"The font family name."},"style":{"_internalId":2723,"type":"anyOf","anyOf":[{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"},{"_internalId":2722,"type":"array","description":"be an array of values, where each element must be brand-font-style","items":{"_internalId":2721,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}}],"description":"be at least one of: brand-font-style, an array of values, where each element must be brand-font-style","tags":{"complete-from":["anyOf",0],"description":"The font styles to include."},"documentation":"The font files to include. These can be local or online. Local file\npaths should be relative to the brand.yml file. Online\npaths should be complete URLs."},"display":{"_internalId":2726,"type":"enum","enum":["auto","block","swap","fallback","optional"],"description":"be one of: `auto`, `block`, `swap`, `fallback`, `optional`","completions":["auto","block","swap","fallback","optional"],"exhaustiveCompletions":true,"tags":{"description":"The font display method, determines how a font face is font face is shown depending on its download status and readiness for use.\n"},"documentation":"The path to the font file. This can be a local path or a URL."},"source":{"_internalId":2748,"type":"enum","enum":["bunny"],"description":"be 'bunny'","completions":["bunny"],"exhaustiveCompletions":true}},"patternProperties":{},"closed":true,"required":["source"],"$id":"brand-font-bunny","tags":{"description":"A font definition from fonts.bunny.net."},"documentation":"The font display method, determines how a font face is font face is\nshown depending on its download status and readiness for use."},"brand-font-file":{"_internalId":2784,"type":"object","description":"be an object","properties":{"source":{"_internalId":2756,"type":"enum","enum":["file"],"description":"be 'file'","completions":["file"],"exhaustiveCompletions":true},"family":{"type":"string","description":"be a string","tags":{"description":"The font family name."},"documentation":"A path to a brand.yml file, or an object with light and dark paths to\nbrand.yml"},"files":{"_internalId":2783,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":2782,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2781,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"The path to the font file. This can be a local path or a URL.\n"},"documentation":"The path to a light brand file or an inline light brand\ndefinition."},"weight":{"_internalId":2777,"type":"ref","$ref":"brand-font-weight","description":"be brand-font-weight"},"style":{"_internalId":2780,"type":"ref","$ref":"brand-font-style","description":"be brand-font-style"}},"patternProperties":{},"required":["path"]}],"description":"be at least one of: a string, an object"},"tags":{"description":"The font files to include. These can be local or online. Local file paths should be relative to the `brand.yml` file. Online paths should be complete URLs.\n"},"documentation":"Branding information to use for this document. If a string, the path\nto a brand file. If false, don’t use branding on this document. If an\nobject, an inline (unified) brand definition, or an object with light\nand dark brand paths or definitions."}},"patternProperties":{},"required":["files","family","source"],"closed":true,"$id":"brand-font-file","tags":{"description":"A method for providing font files directly, either locally or from an online location."},"documentation":"A locally-installed font family name. When used, the end-user is\nresponsible for ensuring that the font is installed on their system."},"brand-font-family":{"type":"string","description":"be a string","$id":"brand-font-family","tags":{"description":"A locally-installed font family name. When used, the end-user is responsible for ensuring that the font is installed on their system.\n"},"documentation":"The path to a dark brand file or an inline dark brand definition."},"brand-single":{"_internalId":2806,"type":"object","description":"be an object","properties":{"meta":{"_internalId":2793,"type":"ref","$ref":"brand-meta","description":"be brand-meta"},"logo":{"_internalId":2796,"type":"ref","$ref":"brand-logo-single","description":"be brand-logo-single"},"color":{"_internalId":2799,"type":"ref","$ref":"brand-color-single","description":"be brand-color-single"},"typography":{"_internalId":2802,"type":"ref","$ref":"brand-typography-single","description":"be brand-typography-single"},"defaults":{"_internalId":2805,"type":"ref","$ref":"brand-defaults","description":"be brand-defaults"}},"patternProperties":{},"closed":true,"$id":"brand-single"},"brand-unified":{"_internalId":2824,"type":"object","description":"be an object","properties":{"meta":{"_internalId":2811,"type":"ref","$ref":"brand-meta","description":"be brand-meta"},"logo":{"_internalId":2814,"type":"ref","$ref":"brand-logo-unified","description":"be brand-logo-unified"},"color":{"_internalId":2817,"type":"ref","$ref":"brand-color-unified","description":"be brand-color-unified"},"typography":{"_internalId":2820,"type":"ref","$ref":"brand-typography-unified","description":"be brand-typography-unified"},"defaults":{"_internalId":2823,"type":"ref","$ref":"brand-defaults","description":"be brand-defaults"}},"patternProperties":{},"closed":true,"$id":"brand-unified"},"brand-path-only-light-dark":{"_internalId":2836,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2835,"type":"object","description":"be an object","properties":{"light":{"type":"string","description":"be a string"},"dark":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","$id":"brand-path-only-light-dark","tags":{"description":"A path to a brand.yml file, or an object with light and dark paths to brand.yml\n"},"documentation":"Unique label for code cell"},"brand-path-bool-light-dark":{"_internalId":2865,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":2861,"type":"object","description":"be an object","properties":{"light":{"_internalId":2852,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2851,"type":"ref","$ref":"brand-single","description":"be brand-single"}],"description":"be at least one of: a string, brand-single","tags":{"description":"The path to a light brand file or an inline light brand definition.\n"},"documentation":"Array of rendering names, e.g. [light, dark]"},"dark":{"_internalId":2860,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2859,"type":"ref","$ref":"brand-single","description":"be brand-single"}],"description":"be at least one of: a string, brand-single","tags":{"description":"The path to a dark brand file or an inline dark brand definition.\n"},"documentation":"Array of tags for notebook cell"}},"patternProperties":{},"closed":true},{"_internalId":2864,"type":"ref","$ref":"brand-unified","description":"be brand-unified"}],"description":"be at least one of: a string, `true` or `false`, an object, brand-unified","$id":"brand-path-bool-light-dark","tags":{"description":"Branding information to use for this document. If a string, the path to a brand file.\nIf false, don't use branding on this document. If an object, an inline (unified) brand\ndefinition, or an object with light and dark brand paths or definitions.\n"},"documentation":"Classes to apply to cell container"},"brand-defaults":{"_internalId":2875,"type":"object","description":"be an object","properties":{"bootstrap":{"_internalId":2870,"type":"ref","$ref":"brand-defaults-bootstrap","description":"be brand-defaults-bootstrap"},"quarto":{"_internalId":2873,"type":"object","description":"be an object","properties":{},"patternProperties":{}}},"patternProperties":{},"$id":"brand-defaults"},"brand-defaults-bootstrap":{"_internalId":2894,"type":"object","description":"be an object","properties":{"defaults":{"_internalId":2893,"type":"object","description":"be an object","properties":{},"patternProperties":{},"additionalProperties":{"_internalId":2892,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, `true` or `false`, a number"}}},"patternProperties":{},"$id":"brand-defaults-bootstrap"},"quarto-resource-cell-attributes-label":{"type":"string","description":"be a string","documentation":"Notebook cell identifier","tags":{"description":{"short":"Unique label for code cell","long":"Unique label for code cell. Used when other code needs to refer to the cell \n(e.g. for cross references `fig-samples` or `tbl-summary`)\n"}},"$id":"quarto-resource-cell-attributes-label"},"quarto-resource-cell-attributes-classes":{"type":"string","description":"be a string","documentation":"nbconvert tag to export cell","tags":{"description":"Classes to apply to cell container"},"$id":"quarto-resource-cell-attributes-classes"},"quarto-resource-cell-attributes-renderings":{"_internalId":2903,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Whether to cache a code chunk.","tags":{"description":"Array of rendering names, e.g. `[light, dark]`"},"$id":"quarto-resource-cell-attributes-renderings"},"quarto-resource-cell-attributes-tags":{"_internalId":2908,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"engine":"jupyter","description":"Array of tags for notebook cell"},"documentation":"A prefix to be used to generate the paths of cache files","$id":"quarto-resource-cell-attributes-tags"},"quarto-resource-cell-attributes-id":{"type":"string","description":"be a string","tags":{"engine":"jupyter","description":{"short":"Notebook cell identifier","long":"Notebook cell identifier. Note that if there is no cell `id` then `label` \nwill be used as the cell `id` if it is present.\nSee \nfor additional details on cell ids.\n"}},"documentation":"Variable names to be saved in the cache database.","$id":"quarto-resource-cell-attributes-id"},"quarto-resource-cell-attributes-export":{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true,"tags":{"engine":"jupyter","description":"nbconvert tag to export cell","hidden":true},"documentation":"Variables names that are not created from the current chunk","$id":"quarto-resource-cell-attributes-export"},"quarto-resource-cell-cache-cache":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Whether to cache a code chunk.","long":"Whether to cache a code chunk. When evaluating\ncode chunks for the second time, the cached chunks are skipped (unless they\nhave been modified), but the objects created in these chunks are loaded from\npreviously saved databases (`.rdb` and `.rdx` files), and these files are\nsaved when a chunk is evaluated for the first time, or when cached files are\nnot found (e.g., you may have removed them by hand). Note that the filename\nconsists of the chunk label with an MD5 digest of the R code and chunk\noptions of the code chunk, which means any changes in the chunk will produce\na different MD5 digest, and hence invalidate the cache.\n"}},"documentation":"Whether to lazyLoad() or directly load()\nobjects","$id":"quarto-resource-cell-cache-cache"},"quarto-resource-cell-cache-cache-path":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"A prefix to be used to generate the paths of cache files","hidden":true},"documentation":"Force rebuild of cache for chunk","$id":"quarto-resource-cell-cache-cache-path"},"quarto-resource-cell-cache-cache-vars":{"_internalId":2922,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2921,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":{"short":"Variable names to be saved in the cache database.","long":"Variable names to be saved in\nthe cache database. By default, all variables created in the current chunks\nare identified and saved, but you may want to manually specify the variables\nto be saved, because the automatic detection of variables may not be robust,\nor you may want to save only a subset of variables.\n"}},"documentation":"Prevent comment changes from invalidating the cache for a chunk","$id":"quarto-resource-cell-cache-cache-vars"},"quarto-resource-cell-cache-cache-globals":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Variables names that are not created from the current chunk","long":"Variables names that are not created from the current chunk.\n\nThis option is mainly for `autodep: true` to work more precisely---a chunk\n`B` depends on chunk `A` when any of `B`'s global variables are `A`'s local \nvariables. In case the automatic detection of global variables in a chunk \nfails, you may manually specify the names of global variables via this option.\nIn addition, `cache-globals: false` means detecting all variables in a code\nchunk, no matter if they are global or local variables.\n"}},"documentation":"Explicitly specify cache dependencies for this chunk (one or more\nchunk labels)","$id":"quarto-resource-cell-cache-cache-globals"},"quarto-resource-cell-cache-cache-lazy":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Whether to `lazyLoad()` or directly `load()` objects","long":"Whether to `lazyLoad()` or directly `load()` objects. For very large objects, \nlazyloading may not work, so `cache-lazy: false` may be desirable (see\n[#572](https://github.com/yihui/knitr/issues/572)).\n"}},"documentation":"Detect cache dependencies automatically via usage of global\nvariables","$id":"quarto-resource-cell-cache-cache-lazy"},"quarto-resource-cell-cache-cache-rebuild":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Force rebuild of cache for chunk"},"documentation":"Title displayed in dashboard card header","$id":"quarto-resource-cell-cache-cache-rebuild"},"quarto-resource-cell-cache-cache-comments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Prevent comment changes from invalidating the cache for a chunk"},"documentation":"Padding around dashboard card content (default 8px)","$id":"quarto-resource-cell-cache-cache-comments"},"quarto-resource-cell-cache-dependson":{"_internalId":2945,"type":"anyOf","anyOf":[{"_internalId":2938,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2937,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},{"_internalId":2944,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":2943,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: at least one of: a string, an array of values, where each element must be a string, at least one of: a number, an array of values, where each element must be a number","tags":{"engine":"knitr","description":"Explicitly specify cache dependencies for this chunk (one or more chunk labels)\n"},"documentation":"Make dashboard card content expandable (default:\ntrue)","$id":"quarto-resource-cell-cache-dependson"},"quarto-resource-cell-cache-autodep":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Detect cache dependencies automatically via usage of global variables"},"documentation":"Percentage or absolute pixel width for dashboard card (defaults to\nevenly spaced across row)","$id":"quarto-resource-cell-cache-autodep"},"quarto-resource-cell-card-title":{"type":"string","description":"be a string","tags":{"formats":["dashboard"],"description":{"short":"Title displayed in dashboard card header"}},"documentation":"Percentage or absolute pixel height for dashboard card (defaults to\nevenly spaced across column)","$id":"quarto-resource-cell-card-title"},"quarto-resource-cell-card-padding":{"_internalId":2956,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["dashboard"],"description":{"short":"Padding around dashboard card content (default `8px`)"}},"documentation":"Context to execute cell within.","$id":"quarto-resource-cell-card-padding"},"quarto-resource-cell-card-expandable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":{"short":"Make dashboard card content expandable (default: `true`)"}},"documentation":"The type of dashboard element being produced by this code cell.","$id":"quarto-resource-cell-card-expandable"},"quarto-resource-cell-card-width":{"_internalId":2965,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["dashboard"],"description":{"short":"Percentage or absolute pixel width for dashboard card (defaults to evenly spaced across row)"}},"documentation":"For code cells that produce a valuebox, the color of the\nvaluebox.s","$id":"quarto-resource-cell-card-width"},"quarto-resource-cell-card-height":{"_internalId":2972,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["dashboard"],"description":{"short":"Percentage or absolute pixel height for dashboard card (defaults to evenly spaced across column)"}},"documentation":"Evaluate code cells (if false just echos the code into\noutput).","$id":"quarto-resource-cell-card-height"},"quarto-resource-cell-card-context":{"type":"string","description":"be a string","tags":{"formats":["dashboard"],"engine":["jupyter"],"description":{"short":"Context to execute cell within."}},"documentation":"Include cell source code in rendered output.","$id":"quarto-resource-cell-card-context"},"quarto-resource-cell-card-content":{"_internalId":2977,"type":"enum","enum":["valuebox","sidebar","toolbar","card-sidebar","card-toolbar"],"description":"be one of: `valuebox`, `sidebar`, `toolbar`, `card-sidebar`, `card-toolbar`","completions":["valuebox","sidebar","toolbar","card-sidebar","card-toolbar"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":{"short":"The type of dashboard element being produced by this code cell."}},"documentation":"Collapse code into an HTML <details> tag so the\nuser can display it on-demand.","$id":"quarto-resource-cell-card-content"},"quarto-resource-cell-card-color":{"_internalId":2985,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":2984,"type":"enum","enum":["primary","secondary","success","info","warning","danger","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `info`, `warning`, `danger`, `light`, `dark`","completions":["primary","secondary","success","info","warning","danger","light","dark"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, one of: `primary`, `secondary`, `success`, `info`, `warning`, `danger`, `light`, `dark`","tags":{"formats":["dashboard"],"description":{"short":"For code cells that produce a valuebox, the color of the valuebox.s"}},"documentation":"Summary text to use for code blocks collapsed using\ncode-fold","$id":"quarto-resource-cell-card-color"},"quarto-resource-cell-codeoutput-eval":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":{"short":"Evaluate code cells (if `false` just echos the code into output).","long":"Evaluate code cells (if `false` just echos the code into output).\n\n- `true` (default): evaluate code cell\n- `false`: don't evaluate code cell\n- `[...]`: A list of positive or negative numbers to selectively include or exclude expressions \n (explicit inclusion/exclusion of expressions is available only when using the knitr engine)\n"}},"documentation":"Choose whether to scroll or wrap when code\nlines are too wide for their container.","$id":"quarto-resource-cell-codeoutput-eval"},"quarto-resource-cell-codeoutput-echo":{"_internalId":2995,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":2994,"type":"enum","enum":["fenced"],"description":"be 'fenced'","completions":["fenced"],"exhaustiveCompletions":true}],"description":"be `true`, `false`, or `fenced`","tags":{"contexts":["document-execute"],"execute-only":true,"description":{"short":"Include cell source code in rendered output.","long":"Include cell source code in rendered output.\n\n- `true` (default in most formats): include source code in output\n- `false` (default in presentation formats like `beamer`, `revealjs`, and `pptx`): do not include source code in output\n- `fenced`: in addition to echoing, include the cell delimiter as part of the output.\n- `[...]`: A list of positive or negative line numbers to selectively include or exclude lines\n (explicit inclusion/excusion of lines is available only when using the knitr engine)\n"}},"documentation":"Include line numbers in code block output (true or\nfalse)","$id":"quarto-resource-cell-codeoutput-echo"},"quarto-resource-cell-codeoutput-code-fold":{"_internalId":3003,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3002,"type":"enum","enum":["show"],"description":"be 'show'","completions":["show"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'show'","tags":{"contexts":["document-code"],"formats":["$html-all"],"description":{"short":"Collapse code into an HTML `
` tag so the user can display it on-demand.","long":"Collapse code into an HTML `
` tag so the user can display it on-demand.\n\n- `true`: collapse code\n- `false` (default): do not collapse code\n- `show`: use the `
` tag, but show the expanded code initially.\n"}},"documentation":"Unique label for code listing (used in cross references)","$id":"quarto-resource-cell-codeoutput-code-fold"},"quarto-resource-cell-codeoutput-code-summary":{"type":"string","description":"be a string","tags":{"contexts":["document-code"],"formats":["$html-all"],"description":"Summary text to use for code blocks collapsed using `code-fold`"},"documentation":"Caption for code listing","$id":"quarto-resource-cell-codeoutput-code-summary"},"quarto-resource-cell-codeoutput-code-overflow":{"_internalId":3008,"type":"enum","enum":["scroll","wrap"],"description":"be one of: `scroll`, `wrap`","completions":["scroll","wrap"],"exhaustiveCompletions":true,"tags":{"contexts":["document-code"],"formats":["$html-all"],"description":{"short":"Choose whether to `scroll` or `wrap` when code lines are too wide for their container.","long":"Choose how to handle code overflow, when code lines are too wide for their container. One of:\n\n- `scroll`\n- `wrap`\n"}},"documentation":"Whether to reformat R code.","$id":"quarto-resource-cell-codeoutput-code-overflow"},"quarto-resource-cell-codeoutput-code-line-numbers":{"_internalId":3015,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be `true`, `false`, or a string specifying the lines to highlight","tags":{"doNotNarrowError":true,"contexts":["document-code"],"formats":["$html-all","ms","$pdf-all"],"description":{"short":"Include line numbers in code block output (`true` or `false`)","long":"Include line numbers in code block output (`true` or `false`).\n\nFor revealjs output only, you can also specify a string to highlight\nspecific lines (and/or animate between sets of highlighted lines).\n\n* Sets of lines are denoted with commas:\n * `3,4,5`\n * `1,10,12`\n* Ranges can be denoted with dashes and combined with commas:\n * `1-3,5` \n * `5-10,12,14`\n* Finally, animation steps are separated by `|`:\n * `1-3|1-3,5` first shows `1-3`, then `1-3,5`\n * `|5|5-10,12` first shows no numbering, then 5, then lines 5-10\n and 12\n"}},"documentation":"List of options to pass to tidy handler","$id":"quarto-resource-cell-codeoutput-code-line-numbers"},"quarto-resource-cell-codeoutput-lst-label":{"type":"string","description":"be a string","documentation":"Collapse all the source and output blocks from one code chunk into a\nsingle block","tags":{"description":"Unique label for code listing (used in cross references)"},"$id":"quarto-resource-cell-codeoutput-lst-label"},"quarto-resource-cell-codeoutput-lst-cap":{"type":"string","description":"be a string","documentation":"Whether to add the prompt characters in R code.","tags":{"description":"Caption for code listing"},"$id":"quarto-resource-cell-codeoutput-lst-cap"},"quarto-resource-cell-codeoutput-tidy":{"_internalId":3027,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3026,"type":"enum","enum":["styler","formatR"],"description":"be one of: `styler`, `formatR`","completions":["styler","formatR"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `styler`, `formatR`","tags":{"engine":"knitr","description":"Whether to reformat R code."},"documentation":"Whether to syntax highlight the source code","$id":"quarto-resource-cell-codeoutput-tidy"},"quarto-resource-cell-codeoutput-tidy-opts":{"_internalId":3032,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"engine":"knitr","description":"List of options to pass to `tidy` handler"},"documentation":"Class name(s) for source code blocks","$id":"quarto-resource-cell-codeoutput-tidy-opts"},"quarto-resource-cell-codeoutput-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Collapse all the source and output blocks from one code chunk into a single block\n"},"documentation":"Attribute(s) for source code blocks","$id":"quarto-resource-cell-codeoutput-collapse"},"quarto-resource-cell-codeoutput-prompt":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Whether to add the prompt characters in R code.","long":"Whether to add the prompt characters in R\ncode. See `prompt` and `continue` on the help page `?base::options`. Note\nthat adding prompts can make it difficult for readers to copy R code from\nthe output, so `prompt: false` may be a better choice. This option may not\nwork well when the `engine` is not `R`\n([#1274](https://github.com/yihui/knitr/issues/1274)).\n"}},"documentation":"Default width for figures","$id":"quarto-resource-cell-codeoutput-prompt"},"quarto-resource-cell-codeoutput-highlight":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Whether to syntax highlight the source code","hidden":true},"documentation":"Default height for figures","$id":"quarto-resource-cell-codeoutput-highlight"},"quarto-resource-cell-codeoutput-class-source":{"_internalId":3044,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3043,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for source code blocks"},"documentation":"Figure caption","$id":"quarto-resource-cell-codeoutput-class-source"},"quarto-resource-cell-codeoutput-attr-source":{"_internalId":3050,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3049,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for source code blocks"},"documentation":"Figure subcaptions","$id":"quarto-resource-cell-codeoutput-attr-source"},"quarto-resource-cell-figure-fig-width":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Default width for figures"},"documentation":"Hyperlink target for the figure","$id":"quarto-resource-cell-figure-fig-width"},"quarto-resource-cell-figure-fig-height":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Default height for figures"},"documentation":"Figure horizontal alignment (default, left,\nright, or center)","$id":"quarto-resource-cell-figure-fig-height"},"quarto-resource-cell-figure-fig-cap":{"_internalId":3060,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3059,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Figure caption"},"documentation":"Alternative text to be used in the alt attribute of HTML\nimages.","$id":"quarto-resource-cell-figure-fig-cap"},"quarto-resource-cell-figure-fig-subcap":{"_internalId":3072,"type":"anyOf","anyOf":[{"_internalId":3065,"type":"enum","enum":[true],"description":"be 'true'","completions":["true"],"exhaustiveCompletions":true},{"_internalId":3071,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3070,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: 'true', at least one of: a string, an array of values, where each element must be a string","documentation":"LaTeX environment for figure output","tags":{"description":"Figure subcaptions"},"$id":"quarto-resource-cell-figure-fig-subcap"},"quarto-resource-cell-figure-fig-link":{"_internalId":3078,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3077,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Hyperlink target for the figure"},"documentation":"LaTeX figure position arrangement to be used in\n\\begin{figure}[].","$id":"quarto-resource-cell-figure-fig-link"},"quarto-resource-cell-figure-fig-align":{"_internalId":3085,"type":"anyOf","anyOf":[{"_internalId":3083,"type":"enum","enum":["default","left","right","center"],"description":"be one of: `default`, `left`, `right`, `center`","completions":["default","left","right","center"],"exhaustiveCompletions":true},{"_internalId":3084,"type":"array","description":"be an array of values, where each element must be one of: `default`, `left`, `right`, `center`","items":{"_internalId":3083,"type":"enum","enum":["default","left","right","center"],"description":"be one of: `default`, `left`, `right`, `center`","completions":["default","left","right","center"],"exhaustiveCompletions":true}}],"description":"be at least one of: one of: `default`, `left`, `right`, `center`, an array of values, where each element must be one of: `default`, `left`, `right`, `center`","tags":{"complete-from":["anyOf",0],"contexts":["document-figures"],"formats":["docx","rtf","$odt-all","$pdf-all","$html-all"],"description":"Figure horizontal alignment (`default`, `left`, `right`, or `center`)"},"documentation":"A short caption (only used in LaTeX output)","$id":"quarto-resource-cell-figure-fig-align"},"quarto-resource-cell-figure-fig-alt":{"_internalId":3091,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3090,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":"Alternative text to be used in the `alt` attribute of HTML images.\n"},"documentation":"Default output format for figures (retina,\npng, jpeg, svg, or\npdf)","$id":"quarto-resource-cell-figure-fig-alt"},"quarto-resource-cell-figure-fig-env":{"_internalId":3097,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3096,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"contexts":["document-figures"],"description":"LaTeX environment for figure output"},"documentation":"Default DPI for figures","$id":"quarto-resource-cell-figure-fig-env"},"quarto-resource-cell-figure-fig-pos":{"_internalId":3109,"type":"anyOf","anyOf":[{"_internalId":3105,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3104,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},{"_internalId":3108,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true}],"description":"be at least one of: at least one of: a string, an array of values, where each element must be a string, 'false'","tags":{"formats":["$pdf-all"],"contexts":["document-figures"],"description":{"short":"LaTeX figure position arrangement to be used in `\\begin{figure}[]`.","long":"LaTeX figure position arrangement to be used in `\\begin{figure}[]`.\n\nComputational figure output that is accompanied by the code \nthat produced it is given a default value of `fig-pos=\"H\"` (so \nthat the code and figure are not inordinately separated).\n\nIf `fig-pos` is `false`, then we don't use any figure position\nspecifier, which is sometimes necessary with custom figure\nenvironments (such as `sidewaysfigure`).\n"}},"documentation":"The aspect ratio of the plot, i.e., the ratio of height/width. When\nfig-asp is specified, the height of a plot (the option\nfig-height) is calculated from\nfig-width * fig-asp.","$id":"quarto-resource-cell-figure-fig-pos"},"quarto-resource-cell-figure-fig-scap":{"_internalId":3115,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3114,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"A short caption (only used in LaTeX output)","long":"A short caption (only used in LaTeX output). A short caption is inserted in `\\caption[]`, \nand usually displayed in the “List of Figures” of a PDF document.\n"}},"documentation":"Width of plot in the output document","$id":"quarto-resource-cell-figure-fig-scap"},"quarto-resource-cell-figure-fig-format":{"_internalId":3118,"type":"enum","enum":["retina","png","jpeg","svg","pdf"],"description":"be one of: `retina`, `png`, `jpeg`, `svg`, `pdf`","completions":["retina","png","jpeg","svg","pdf"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Default output format for figures (`retina`, `png`, `jpeg`, `svg`, or `pdf`)"},"documentation":"Height of plot in the output document","$id":"quarto-resource-cell-figure-fig-format"},"quarto-resource-cell-figure-fig-dpi":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Default DPI for figures"},"documentation":"How plots in chunks should be kept.","$id":"quarto-resource-cell-figure-fig-dpi"},"quarto-resource-cell-figure-fig-asp":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"The aspect ratio of the plot, i.e., the ratio of height/width. When `fig-asp` is specified, the height of a plot \n(the option `fig-height`) is calculated from `fig-width * fig-asp`.\n"},"documentation":"How to show/arrange the plots","$id":"quarto-resource-cell-figure-fig-asp"},"quarto-resource-cell-figure-out-width":{"_internalId":3131,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"null","description":"be the null value","completions":[],"exhaustiveCompletions":true}],"description":"be at least one of: a string, the null value","tags":{"engine":"knitr","description":{"short":"Width of plot in the output document","long":"Width of the plot in the output document, which can be different from its physical `fig-width`,\ni.e., plots can be scaled in the output document.\nWhen used without a unit, the unit is assumed to be pixels. However, any of the following unit \nidentifiers can be used: px, cm, mm, in, inch and %, for example, `3in`, `8cm`, `300px` or `50%`.\n"}},"documentation":"Additional raw LaTeX or HTML options to be applied to figures","$id":"quarto-resource-cell-figure-out-width"},"quarto-resource-cell-figure-out-height":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Height of plot in the output document","long":"Height of the plot in the output document, which can be different from its physical `fig-height`, \ni.e., plots can be scaled in the output document.\nDepending on the output format, this option can take special values.\nFor example, for LaTeX output, it can be `3in`, or `8cm`;\nfor HTML, it can be `300px`.\n"}},"documentation":"Externalize tikz graphics (pre-compile to PDF)","$id":"quarto-resource-cell-figure-out-height"},"quarto-resource-cell-figure-fig-keep":{"_internalId":3145,"type":"anyOf","anyOf":[{"_internalId":3138,"type":"enum","enum":["high","none","all","first","last"],"description":"be one of: `high`, `none`, `all`, `first`, `last`","completions":["high","none","all","first","last"],"exhaustiveCompletions":true},{"_internalId":3144,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":3143,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: one of: `high`, `none`, `all`, `first`, `last`, at least one of: a number, an array of values, where each element must be a number","tags":{"engine":"knitr","description":{"short":"How plots in chunks should be kept.","long":"How plots in chunks should be kept. Possible values are as follows:\n\n- `high`: Only keep high-level plots (merge low-level changes into\n high-level plots).\n- `none`: Discard all plots.\n- `all`: Keep all plots (low-level plot changes may produce new plots).\n- `first`: Only keep the first plot.\n- `last`: Only keep the last plot.\n- A numeric vector: In this case, the values are indices of (low-level) plots\n to keep.\n"}},"documentation":"sanitize tikz graphics (escape special LaTeX characters).","$id":"quarto-resource-cell-figure-fig-keep"},"quarto-resource-cell-figure-fig-show":{"_internalId":3148,"type":"enum","enum":["asis","hold","animate","hide"],"description":"be one of: `asis`, `hold`, `animate`, `hide`","completions":["asis","hold","animate","hide"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"How to show/arrange the plots","long":"How to show/arrange the plots. Possible values are as follows:\n\n- `asis`: Show plots exactly in places where they were generated (as if\n the code were run in an R terminal).\n- `hold`: Hold all plots and output them at the end of a code chunk.\n- `animate`: Concatenate all plots into an animation if there are multiple\n plots in a chunk.\n- `hide`: Generate plot files but hide them in the output document.\n"}},"documentation":"Time interval (number of seconds) between animation frames.","$id":"quarto-resource-cell-figure-fig-show"},"quarto-resource-cell-figure-out-extra":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"Additional raw LaTeX or HTML options to be applied to figures"},"documentation":"Extra options for animations","$id":"quarto-resource-cell-figure-out-extra"},"quarto-resource-cell-figure-external":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","formats":["$pdf-all"],"description":"Externalize tikz graphics (pre-compile to PDF)"},"documentation":"Hook function to create animations in HTML output","$id":"quarto-resource-cell-figure-external"},"quarto-resource-cell-figure-sanitize":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","formats":["$pdf-all"],"description":"sanitize tikz graphics (escape special LaTeX characters)."},"documentation":"One or more paths of child documents to be knitted and input into the\nmain document.","$id":"quarto-resource-cell-figure-sanitize"},"quarto-resource-cell-figure-interval":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":"Time interval (number of seconds) between animation frames."},"documentation":"File containing code to execute for this chunk","$id":"quarto-resource-cell-figure-interval"},"quarto-resource-cell-figure-aniopts":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Extra options for animations","long":"Extra options for animations; see the documentation of the LaTeX [**animate**\npackage.](http://ctan.org/pkg/animate)\n"}},"documentation":"String containing code to execute for this chunk","$id":"quarto-resource-cell-figure-aniopts"},"quarto-resource-cell-figure-animation-hook":{"type":"string","description":"be a string","completions":["ffmpeg","gifski"],"tags":{"engine":"knitr","description":{"short":"Hook function to create animations in HTML output","long":"Hook function to create animations in HTML output. \n\nThe default hook (`ffmpeg`) uses FFmpeg to convert images to a WebM video.\n\nAnother hook function is `gifski` based on the\n[**gifski**](https://cran.r-project.org/package=gifski) package to\ncreate GIF animations.\n"}},"documentation":"Include chunk when extracting code with\nknitr::purl()","$id":"quarto-resource-cell-figure-animation-hook"},"quarto-resource-cell-include-child":{"_internalId":3166,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3165,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"One or more paths of child documents to be knitted and input into the main document."},"documentation":"2d-array of widths where the first dimension specifies columns and\nthe second rows.","$id":"quarto-resource-cell-include-child"},"quarto-resource-cell-include-file":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"File containing code to execute for this chunk"},"documentation":"Layout output blocks into columns","$id":"quarto-resource-cell-include-file"},"quarto-resource-cell-include-code":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":"String containing code to execute for this chunk"},"documentation":"Layout output blocks into rows","$id":"quarto-resource-cell-include-code"},"quarto-resource-cell-include-purl":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":"Include chunk when extracting code with `knitr::purl()`"},"documentation":"Horizontal alignment for layout content (default,\nleft, right, or center)","$id":"quarto-resource-cell-include-purl"},"quarto-resource-cell-layout-layout":{"_internalId":3185,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3184,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a number","items":{"_internalId":3183,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}}],"description":"be at least one of: a string, an array of values, where each element must be an array of values, where each element must be a number","documentation":"Vertical alignment for layout content (default,\ntop, center, or bottom)","tags":{"description":{"short":"2d-array of widths where the first dimension specifies columns and the second rows.","long":"2d-array of widths where the first dimension specifies columns and the second rows.\n\nFor example, to layout the first two output blocks side-by-side on the top with the third\nblock spanning the full width below, use `[[3,3], [1]]`.\n\nUse negative values to create margin. For example, to create space between the \noutput blocks in the top row of the previous example, use `[[3,-1, 3], [1]]`.\n"}},"$id":"quarto-resource-cell-layout-layout"},"quarto-resource-cell-layout-layout-ncol":{"type":"number","description":"be a number","documentation":"Page column for output","tags":{"description":"Layout output blocks into columns"},"$id":"quarto-resource-cell-layout-layout-ncol"},"quarto-resource-cell-layout-layout-nrow":{"type":"number","description":"be a number","documentation":"Page column for figure output","tags":{"description":"Layout output blocks into rows"},"$id":"quarto-resource-cell-layout-layout-nrow"},"quarto-resource-cell-layout-layout-align":{"_internalId":3192,"type":"enum","enum":["default","left","center","right"],"description":"be one of: `default`, `left`, `center`, `right`","completions":["default","left","center","right"],"exhaustiveCompletions":true,"documentation":"Page column for table output","tags":{"description":"Horizontal alignment for layout content (`default`, `left`, `right`, or `center`)"},"$id":"quarto-resource-cell-layout-layout-align"},"quarto-resource-cell-layout-layout-valign":{"_internalId":3195,"type":"enum","enum":["default","top","center","bottom"],"description":"be one of: `default`, `top`, `center`, `bottom`","completions":["default","top","center","bottom"],"exhaustiveCompletions":true,"documentation":"Where to place figure and table captions (top,\nbottom, or margin)","tags":{"description":"Vertical alignment for layout content (`default`, `top`, `center`, or `bottom`)"},"$id":"quarto-resource-cell-layout-layout-valign"},"quarto-resource-cell-pagelayout-column":{"_internalId":3198,"type":"ref","$ref":"page-column","description":"be page-column","documentation":"Where to place figure captions (top,\nbottom, or margin)","tags":{"description":{"short":"Page column for output","long":"[Page column](https://quarto.org/docs/authoring/article-layout.html) for output"}},"$id":"quarto-resource-cell-pagelayout-column"},"quarto-resource-cell-pagelayout-fig-column":{"_internalId":3201,"type":"ref","$ref":"page-column","description":"be page-column","documentation":"Where to place table captions (top, bottom,\nor margin)","tags":{"description":{"short":"Page column for figure output","long":"[Page column](https://quarto.org/docs/authoring/article-layout.html) for figure output"}},"$id":"quarto-resource-cell-pagelayout-fig-column"},"quarto-resource-cell-pagelayout-tbl-column":{"_internalId":3204,"type":"ref","$ref":"page-column","description":"be page-column","documentation":"Table caption","tags":{"description":{"short":"Page column for table output","long":"[Page column](https://quarto.org/docs/authoring/article-layout.html) for table output"}},"$id":"quarto-resource-cell-pagelayout-tbl-column"},"quarto-resource-cell-pagelayout-cap-location":{"_internalId":3207,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"contexts":["document-layout"],"formats":["$html-files","$pdf-all"],"description":"Where to place figure and table captions (`top`, `bottom`, or `margin`)"},"documentation":"Table subcaptions","$id":"quarto-resource-cell-pagelayout-cap-location"},"quarto-resource-cell-pagelayout-fig-cap-location":{"_internalId":3210,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"contexts":["document-layout","document-figures"],"formats":["$html-files","$pdf-all"],"description":"Where to place figure captions (`top`, `bottom`, or `margin`)"},"documentation":"Apply explicit table column widths","$id":"quarto-resource-cell-pagelayout-fig-cap-location"},"quarto-resource-cell-pagelayout-tbl-cap-location":{"_internalId":3213,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"contexts":["document-layout","document-tables"],"formats":["$html-files","$pdf-all"],"description":"Where to place table captions (`top`, `bottom`, or `margin`)"},"documentation":"If none, do not process raw HTML table in cell output\nand leave it as-is","$id":"quarto-resource-cell-pagelayout-tbl-cap-location"},"quarto-resource-cell-table-tbl-cap":{"_internalId":3219,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3218,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Table caption"},"documentation":"Include the results of executing the code in the output (specify\nasis to treat output as raw markdown with no enclosing\ncontainers).","$id":"quarto-resource-cell-table-tbl-cap"},"quarto-resource-cell-table-tbl-subcap":{"_internalId":3231,"type":"anyOf","anyOf":[{"_internalId":3224,"type":"enum","enum":[true],"description":"be 'true'","completions":["true"],"exhaustiveCompletions":true},{"_internalId":3230,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3229,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: 'true', at least one of: a string, an array of values, where each element must be a string","documentation":"Include warnings in rendered output.","tags":{"description":"Table subcaptions"},"$id":"quarto-resource-cell-table-tbl-subcap"},"quarto-resource-cell-table-tbl-colwidths":{"_internalId":3244,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3238,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true},{"_internalId":3243,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: `true` or `false`, 'auto', an array of values, where each element must be a number","tags":{"contexts":["document-tables"],"engine":["knitr","jupyter"],"formats":["$pdf-all","$html-all"],"description":{"short":"Apply explicit table column widths","long":"Apply explicit table column widths for markdown grid tables and pipe\ntables that are more than `columns` characters wide (72 by default). \n\nSome formats (e.g. HTML) do an excellent job automatically sizing\ntable columns and so don't benefit much from column width specifications.\nOther formats (e.g. LaTeX) require table column sizes in order to \ncorrectly flow longer cell content (this is a major reason why tables \n> 72 columns wide are assigned explicit widths by Pandoc).\n\nThis can be specified as:\n\n- `auto`: Apply markdown table column widths except when there is a\n hyperlink in the table (which tends to throw off automatic\n calculation of column widths based on the markdown text width of cells).\n (`auto` is the default for HTML output formats)\n\n- `true`: Always apply markdown table widths (`true` is the default\n for all non-HTML formats)\n\n- `false`: Never apply markdown table widths.\n\n- An array of numbers (e.g. `[40, 30, 30]`): Array of explicit width percentages.\n"}},"documentation":"Include errors in the output (note that this implies that errors\nexecuting code will not halt processing of the document).","$id":"quarto-resource-cell-table-tbl-colwidths"},"quarto-resource-cell-table-html-table-processing":{"_internalId":3247,"type":"enum","enum":["none"],"description":"be 'none'","completions":["none"],"exhaustiveCompletions":true,"documentation":"Catch all for preventing any output (code or results) from being\nincluded in output.","tags":{"description":"If `none`, do not process raw HTML table in cell output and leave it as-is"},"$id":"quarto-resource-cell-table-html-table-processing"},"quarto-resource-cell-textoutput-output":{"_internalId":3259,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3254,"type":"enum","enum":["asis"],"description":"be 'asis'","completions":["asis"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"},{"_internalId":3257,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: `true` or `false`, 'asis', a string, an object","tags":{"contexts":["document-execute"],"execute-only":true,"description":{"short":"Include the results of executing the code in the output (specify `asis` to\ntreat output as raw markdown with no enclosing containers).\n","long":"Include the results of executing the code in the output. Possible values:\n\n- `true`: Include results.\n- `false`: Do not include results.\n- `asis`: Treat output as raw markdown with no enclosing containers.\n"}},"documentation":"Panel type for cell output (tabset, input,\nsidebar, fill, center)","$id":"quarto-resource-cell-textoutput-output"},"quarto-resource-cell-textoutput-warning":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":"Include warnings in rendered output."},"documentation":"Location of output relative to the code that generated it\n(default, fragment, slide,\ncolumn, or column-location)","$id":"quarto-resource-cell-textoutput-warning"},"quarto-resource-cell-textoutput-error":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":"Include errors in the output (note that this implies that errors executing code\nwill not halt processing of the document).\n"},"documentation":"Include messages in rendered output.","$id":"quarto-resource-cell-textoutput-error"},"quarto-resource-cell-textoutput-include":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"execute-only":true,"description":"Catch all for preventing any output (code or results) from being included in output.\n"},"documentation":"How to display text results","$id":"quarto-resource-cell-textoutput-include"},"quarto-resource-cell-textoutput-panel":{"_internalId":3268,"type":"enum","enum":["tabset","input","sidebar","fill","center"],"description":"be one of: `tabset`, `input`, `sidebar`, `fill`, `center`","completions":["tabset","input","sidebar","fill","center"],"exhaustiveCompletions":true,"documentation":"Prefix to be added before each line of text output.","tags":{"description":"Panel type for cell output (`tabset`, `input`, `sidebar`, `fill`, `center`)"},"$id":"quarto-resource-cell-textoutput-panel"},"quarto-resource-cell-textoutput-output-location":{"_internalId":3271,"type":"enum","enum":["default","fragment","slide","column","column-fragment"],"description":"be one of: `default`, `fragment`, `slide`, `column`, `column-fragment`","completions":["default","fragment","slide","column","column-fragment"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Location of output relative to the code that generated it (`default`, `fragment`, `slide`, `column`, or `column-location`)","long":"Location of output relative to the code that generated it. The possible values are as follows:\n\n- `default`: Normal flow of the slide after the code\n- `fragment`: In a fragment (not visible until you advance)\n- `slide`: On a new slide after the curent one\n- `column`: In an adjacent column \n- `column-fragment`: In an adjacent column (not visible until you advance)\n\nNote that this option is supported only for the `revealjs` format.\n"}},"documentation":"Class name(s) for text/console output","$id":"quarto-resource-cell-textoutput-output-location"},"quarto-resource-cell-textoutput-message":{"_internalId":3274,"type":"enum","enum":[true,false,"NA"],"description":"be one of: `true`, `false`, `NA`","completions":["true","false","NA"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Include messages in rendered output.","long":"Include messages in rendered output. Possible values are `true`, `false`, or `NA`. \nIf `true`, messages are included in the output. If `false`, messages are not included. \nIf `NA`, messages are not included in output but shown in the knitr log to console.\n"}},"documentation":"Attribute(s) for text/console output","$id":"quarto-resource-cell-textoutput-message"},"quarto-resource-cell-textoutput-results":{"_internalId":3277,"type":"enum","enum":["markup","asis","hold","hide",false],"description":"be one of: `markup`, `asis`, `hold`, `hide`, `false`","completions":["markup","asis","hold","hide","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"How to display text results","long":"How to display text results. Note that this option only applies to normal text output (not warnings,\nmessages, or errors). The possible values are as follows:\n\n- `markup`: Mark up text output with the appropriate environments\n depending on the output format. For example, if the text\n output is a character string `\"[1] 1 2 3\"`, the actual output that\n **knitr** produces will be:\n\n ```` md\n ```\n [1] 1 2 3\n ```\n ````\n\n In this case, `results: markup` means to put the text output in fenced\n code blocks (```` ``` ````).\n\n- `asis`: Write text output as-is, i.e., write the raw text results\n directly into the output document without any markups.\n\n ```` md\n ```{r}\n #| results: asis\n cat(\"I'm raw **Markdown** content.\\n\")\n ```\n ````\n\n- `hold`: Hold all pieces of text output in a chunk and flush them to the\n end of the chunk.\n\n- `hide` (or `false`): Hide text output.\n"}},"documentation":"Class name(s) for warning output","$id":"quarto-resource-cell-textoutput-results"},"quarto-resource-cell-textoutput-comment":{"type":"string","description":"be a string","tags":{"engine":"knitr","description":{"short":"Prefix to be added before each line of text output.","long":"Prefix to be added before each line of text output.\nBy default, the text output is commented out by `##`, so if\nreaders want to copy and run the source code from the output document, they\ncan select and copy everything from the chunk, since the text output is\nmasked in comments (and will be ignored when running the copied text). Set\n`comment: ''` to remove the default `##`.\n"}},"documentation":"Attribute(s) for warning output","$id":"quarto-resource-cell-textoutput-comment"},"quarto-resource-cell-textoutput-class-output":{"_internalId":3285,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3284,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for text/console output"},"documentation":"Class name(s) for message output","$id":"quarto-resource-cell-textoutput-class-output"},"quarto-resource-cell-textoutput-attr-output":{"_internalId":3291,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3290,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for text/console output"},"documentation":"Attribute(s) for message output","$id":"quarto-resource-cell-textoutput-attr-output"},"quarto-resource-cell-textoutput-class-warning":{"_internalId":3297,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3296,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for warning output"},"documentation":"Class name(s) for error output","$id":"quarto-resource-cell-textoutput-class-warning"},"quarto-resource-cell-textoutput-attr-warning":{"_internalId":3303,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3302,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for warning output"},"documentation":"Attribute(s) for error output","$id":"quarto-resource-cell-textoutput-attr-warning"},"quarto-resource-cell-textoutput-class-message":{"_internalId":3309,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3308,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for message output"},"documentation":"Specifies that the page is an ‘about’ page and which template to use\nwhen laying out the page.","$id":"quarto-resource-cell-textoutput-class-message"},"quarto-resource-cell-textoutput-attr-message":{"_internalId":3315,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3314,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for message output"},"documentation":"Document title","$id":"quarto-resource-cell-textoutput-attr-message"},"quarto-resource-cell-textoutput-class-error":{"_internalId":3321,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3320,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Class name(s) for error output"},"documentation":"Identifies the subtitle of the document.","$id":"quarto-resource-cell-textoutput-class-error"},"quarto-resource-cell-textoutput-attr-error":{"_internalId":3327,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3326,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"engine":"knitr","description":"Attribute(s) for error output"},"documentation":"Document date","$id":"quarto-resource-cell-textoutput-attr-error"},"quarto-resource-document-about-about":{"_internalId":3336,"type":"anyOf","anyOf":[{"_internalId":3332,"type":"enum","enum":["jolla","trestles","solana","marquee","broadside"],"description":"be one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`","completions":["jolla","trestles","solana","marquee","broadside"],"exhaustiveCompletions":true},{"_internalId":3335,"type":"ref","$ref":"website-about","description":"be website-about"}],"description":"be at least one of: one of: `jolla`, `trestles`, `solana`, `marquee`, `broadside`, website-about","tags":{"formats":["$html-doc"],"description":{"short":"Specifies that the page is an 'about' page and which template to use when laying out the page.","long":"Specifies that the page is an 'about' page and which template to use when laying out the page.\n\nThe allowed values are either:\n\n- one of the possible template values (`jolla`, `trestles`, `solana`, `marquee`, or `broadside`))\n- an object describing the 'about' page in more detail. See [About Pages](https://quarto.org/docs/websites/website-about.html) for more.\n"}},"documentation":"Date format for the document","$id":"quarto-resource-document-about-about"},"quarto-resource-document-attributes-title":{"type":"string","description":"be a string","documentation":"Document date modified","tags":{"description":"Document title"},"$id":"quarto-resource-document-attributes-title"},"quarto-resource-document-attributes-subtitle":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$html-all","context","muse","odt","docx"],"description":"Identifies the subtitle of the document."},"documentation":"Author or authors of the document","$id":"quarto-resource-document-attributes-subtitle"},"quarto-resource-document-attributes-date":{"_internalId":3343,"type":"ref","$ref":"date","description":"be date","documentation":"The list of organizations with which contributors are affiliated.","tags":{"description":"Document date"},"$id":"quarto-resource-document-attributes-date"},"quarto-resource-document-attributes-date-format":{"_internalId":3346,"type":"ref","$ref":"date-format","description":"be date-format","documentation":"Licensing and copyright information.","tags":{"description":"Date format for the document"},"$id":"quarto-resource-document-attributes-date-format"},"quarto-resource-document-attributes-date-modified":{"_internalId":3349,"type":"ref","$ref":"date","description":"be date","tags":{"formats":["$html-doc"],"description":"Document date modified"},"documentation":"Information concerning the article that identifies or describes\nit.","$id":"quarto-resource-document-attributes-date-modified"},"quarto-resource-document-attributes-author":{"_internalId":3360,"type":"anyOf","anyOf":[{"_internalId":3358,"type":"anyOf","anyOf":[{"_internalId":3354,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":3359,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":3358,"type":"anyOf","anyOf":[{"_internalId":3354,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"description":"Author or authors of the document"},"documentation":"Information on the journal in which the article is published.","$id":"quarto-resource-document-attributes-author"},"quarto-resource-document-attributes-affiliation":{"_internalId":3371,"type":"anyOf","anyOf":[{"_internalId":3369,"type":"anyOf","anyOf":[{"_internalId":3365,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":3370,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":3369,"type":"anyOf","anyOf":[{"_internalId":3365,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"formats":["$jats-all"],"description":{"short":"The list of organizations with which contributors are affiliated.","long":"The list of organizations with which contributors are\naffiliated. Each institution is added as an [``] element to\nthe author's contrib-group. See the Pandoc [JATS documentation](https://pandoc.org/jats.html) \nfor details on `affiliation` fields.\n"}},"documentation":"Author affiliations for the presentation.","$id":"quarto-resource-document-attributes-affiliation"},"quarto-resource-document-attributes-copyright":{"_internalId":3372,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"formats":["$jats-all"],"description":{"short":"Licensing and copyright information.","long":"Licensing and copyright information. This information is\nrendered via the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/permissions.html) element.\nThe variables `type`, `link`, and `text` should always be used\ntogether. See the Pandoc [JATS documentation](https://pandoc.org/jats.html)\nfor details on `copyright` fields.\n"}},"documentation":"Summary of document","$id":"quarto-resource-document-attributes-copyright"},"quarto-resource-document-attributes-article":{"_internalId":3374,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"formats":["$jats-all"],"description":{"short":"Information concerning the article that identifies or describes it.","long":"Information concerning the article that identifies or describes\nit. The key-value pairs within this map are typically used\nwithin the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/article-meta.html) element.\nSee the Pandoc [JATS documentation](https://pandoc.org/jats.html) for details on `article` fields.\n"}},"documentation":"Title used to label document abstract","$id":"quarto-resource-document-attributes-article"},"quarto-resource-document-attributes-journal":{"_internalId":3376,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"formats":["$jats-all"],"description":{"short":"Information on the journal in which the article is published.","long":"Information on the journal in which the article is published.\nSee the Pandoc [JATS documentation](https://pandoc.org/jats.html) for details on `journal` fields.\n"}},"documentation":"Additional notes concerning the whole article. Added to the article’s\nfrontmatter via the <notes>\nelement.","$id":"quarto-resource-document-attributes-journal"},"quarto-resource-document-attributes-institute":{"_internalId":3388,"type":"anyOf","anyOf":[{"_internalId":3386,"type":"anyOf","anyOf":[{"_internalId":3382,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":3387,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":3386,"type":"anyOf","anyOf":[{"_internalId":3382,"type":"object","description":"be an object","properties":{},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"formats":["$html-pres","beamer"],"description":"Author affiliations for the presentation."},"documentation":"List of keywords. Items are used as contents of the <kwd>\nelement; the elements are grouped in a <kwd-group>\nwith the kwd-group-type\nvalue author.","$id":"quarto-resource-document-attributes-institute"},"quarto-resource-document-attributes-abstract":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$html-doc","$epub-all","$asciidoc-all","$jats-all","context","ms","odt","docx"],"description":"Summary of document"},"documentation":"Displays the document Digital Object Identifier in the header.","$id":"quarto-resource-document-attributes-abstract"},"quarto-resource-document-attributes-abstract-title":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","$epub-all","docx","typst"],"description":"Title used to label document abstract"},"documentation":"The contents of an acknowledgments footnote after the document\ntitle.","$id":"quarto-resource-document-attributes-abstract-title"},"quarto-resource-document-attributes-notes":{"type":"string","description":"be a string","tags":{"formats":["$jats-all"],"description":"Additional notes concerning the whole article. Added to the\narticle's frontmatter via the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/notes.html) element.\n"},"documentation":"Order for document when included in a website automatic sidebar\nmenu.","$id":"quarto-resource-document-attributes-notes"},"quarto-resource-document-attributes-tags":{"_internalId":3399,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$jats-all"],"description":"List of keywords. Items are used as contents of the [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/kwd.html) element; the elements are grouped in a [``](https://jats.nlm.nih.gov/publishing/tag-library/1.2/element/kwd-group.html) with the [`kwd-group-type`](https://jats.nlm.nih.gov/publishing/tag-library/1.2/attribute/kwd-group-type.html) value `author`."},"documentation":"Citation information for the document itself.","$id":"quarto-resource-document-attributes-tags"},"quarto-resource-document-attributes-doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Displays the document Digital Object Identifier in the header."},"documentation":"Enable a code copy icon for code blocks.","$id":"quarto-resource-document-attributes-doi"},"quarto-resource-document-attributes-thanks":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"The contents of an acknowledgments footnote after the document title."},"documentation":"Enables hyper-linking of functions within code blocks to their online\ndocumentation.","$id":"quarto-resource-document-attributes-thanks"},"quarto-resource-document-attributes-order":{"type":"number","description":"be a number","documentation":"The style to use when displaying code annotations","tags":{"description":"Order for document when included in a website automatic sidebar menu."},"$id":"quarto-resource-document-attributes-order"},"quarto-resource-document-citation-citation":{"_internalId":3413,"type":"anyOf","anyOf":[{"_internalId":3410,"type":"ref","$ref":"citation-item","description":"be citation-item"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: citation-item, `true` or `false`","documentation":"Include a code tools menu (for hiding and showing code).","tags":{"description":{"short":"Citation information for the document itself.","long":"Citation information for the document itself specified as [CSL](https://docs.citationstyles.org/en/stable/specification.html) \nYAML in the document front matter.\n\nFor more on supported options, see [Citation Metadata](https://quarto.org/docs/reference/metadata/citation.html).\n"}},"$id":"quarto-resource-document-citation-citation"},"quarto-resource-document-code-code-copy":{"_internalId":3421,"type":"anyOf","anyOf":[{"_internalId":3418,"type":"enum","enum":["hover"],"description":"be 'hover'","completions":["hover"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: 'hover', `true` or `false`","tags":{"formats":["$html-all"],"description":{"short":"Enable a code copy icon for code blocks.","long":"Enable a code copy icon for code blocks. \n\n- `true`: Always show the icon\n- `false`: Never show the icon\n- `hover` (default): Show the icon when the mouse hovers over the code block\n"}},"documentation":"Show a thick left border on code blocks.","$id":"quarto-resource-document-code-code-copy"},"quarto-resource-document-code-code-link":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","formats":["$html-files"],"description":{"short":"Enables hyper-linking of functions within code blocks \nto their online documentation.\n","long":"Enables hyper-linking of functions within code blocks \nto their online documentation.\n\nCode linking is currently implemented only for the knitr engine \n(via the [downlit](https://downlit.r-lib.org/) package). \nA limitation of downlit currently prevents code linking \nif `code-line-numbers` is also `true`.\n"}},"documentation":"Show a background color for code blocks.","$id":"quarto-resource-document-code-code-link"},"quarto-resource-document-code-code-annotations":{"_internalId":3431,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3430,"type":"enum","enum":["hover","select","below","none"],"description":"be one of: `hover`, `select`, `below`, `none`","completions":["hover","select","below","none"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `hover`, `select`, `below`, `none`","documentation":"Specifies the coloring style to be used in highlighted source\ncode.","tags":{"description":{"short":"The style to use when displaying code annotations","long":"The style to use when displaying code annotations. Set this value\nto false to hide code annotations.\n"}},"$id":"quarto-resource-document-code-code-annotations"},"quarto-resource-document-code-code-tools":{"_internalId":3450,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3449,"type":"object","description":"be an object","properties":{"source":{"_internalId":3444,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string"},"toggle":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},"caption":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["$html-doc"],"description":{"short":"Include a code tools menu (for hiding and showing code).","long":"Include a code tools menu (for hiding and showing code).\nUse `true` or `false` to enable or disable the standard code \ntools menu. Specify sub-properties `source`, `toggle`, and\n`caption` to customize the behavior and appearance of code tools.\n"}},"documentation":"KDE language syntax definition file (XML)","$id":"quarto-resource-document-code-code-tools"},"quarto-resource-document-code-code-block-border-left":{"_internalId":3457,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc","$pdf-all"],"description":{"short":"Show a thick left border on code blocks.","long":"Specifies to apply a left border on code blocks. Provide a hex color to specify that the border is\nenabled as well as the color of the border.\n"}},"documentation":"KDE language syntax definition files (XML)","$id":"quarto-resource-document-code-code-block-border-left"},"quarto-resource-document-code-code-block-bg":{"_internalId":3464,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc","$pdf-all"],"description":{"short":"Show a background color for code blocks.","long":"Specifies to apply a background color on code blocks. Provide a hex color to specify that the background color is\nenabled as well as the color of the background.\n"}},"documentation":"Use the listings package for LaTeX code blocks.","$id":"quarto-resource-document-code-code-block-bg"},"quarto-resource-document-code-highlight-style":{"_internalId":3476,"type":"anyOf","anyOf":[{"_internalId":3473,"type":"object","description":"be an object","properties":{"light":{"type":"string","description":"be a string"},"dark":{"type":"string","description":"be a string"}},"patternProperties":{},"closed":true},{"type":"string","description":"be a string","completions":["a11y","arrow","atom-one","ayu","ayu-mirage","breeze","breezedark","dracula","espresso","github","gruvbox","haddock","kate","monochrome","monokai","none","nord","oblivion","printing","pygments","radical","solarized","tango","vim-dark","zenburn"]}],"description":"be at least one of: an object, a string","tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":{"short":"Specifies the coloring style to be used in highlighted source code.","long":"Specifies the coloring style to be used in highlighted source code.\n\nInstead of a *STYLE* name, a JSON file with extension\n` .theme` may be supplied. This will be parsed as a KDE\nsyntax highlighting theme and (if valid) used as the\nhighlighting style.\n"}},"documentation":"Specify classes to use for all indented code blocks","$id":"quarto-resource-document-code-highlight-style"},"quarto-resource-document-code-syntax-definition":{"type":"string","description":"be a string","tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":"KDE language syntax definition file (XML)","hidden":true},"documentation":"Sets the CSS color property.","$id":"quarto-resource-document-code-syntax-definition"},"quarto-resource-document-code-syntax-definitions":{"_internalId":3483,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":"KDE language syntax definition files (XML)"},"documentation":"Sets the color of hyperlinks in the document.","$id":"quarto-resource-document-code-syntax-definitions"},"quarto-resource-document-code-listings":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":{"short":"Use the listings package for LaTeX code blocks.","long":"Use the `listings` package for LaTeX code blocks. The package\ndoes not support multi-byte encoding for source code. To handle UTF-8\nyou would need to use a custom template. This issue is fully\ndocumented here: [Encoding issue with the listings package](https://en.wikibooks.org/wiki/LaTeX/Source_Code_Listings#Encoding_issue)\n"}},"documentation":"Sets the CSS background-color property on code elements\nand adds extra padding.","$id":"quarto-resource-document-code-listings"},"quarto-resource-document-code-indented-code-classes":{"_internalId":3490,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$html-all","docx","ms","$pdf-all"],"description":"Specify classes to use for all indented code blocks"},"documentation":"Sets the CSS background-color property on the html\nelement.","$id":"quarto-resource-document-code-indented-code-classes"},"quarto-resource-document-colors-fontcolor":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Sets the CSS `color` property."},"documentation":"The color used for external links using color options allowed by\nxcolor","$id":"quarto-resource-document-colors-fontcolor"},"quarto-resource-document-colors-linkcolor":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all"],"description":{"short":"Sets the color of hyperlinks in the document.","long":"For HTML output, sets the CSS `color` property on all links.\n\nFor LaTeX output, The color used for internal links using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n\nFor ConTeXt output, sets the color for both external links and links within the document.\n"}},"documentation":"The color used for citation links using color options allowed by\nxcolor","$id":"quarto-resource-document-colors-linkcolor"},"quarto-resource-document-colors-monobackgroundcolor":{"type":"string","description":"be a string","tags":{"formats":["html","html4","html5","slidy","slideous","s5","dzslides"],"description":"Sets the CSS `background-color` property on code elements and adds extra padding."},"documentation":"The color used for linked URLs using color options allowed by\nxcolor","$id":"quarto-resource-document-colors-monobackgroundcolor"},"quarto-resource-document-colors-backgroundcolor":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Sets the CSS `background-color` property on the html element.\n"},"documentation":"The color used for links in the Table of Contents using color options\nallowed by xcolor","$id":"quarto-resource-document-colors-backgroundcolor"},"quarto-resource-document-colors-filecolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for external links using color options allowed by `xcolor`","long":"The color used for external links using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"Add color to link text, automatically enabled if any of\nlinkcolor, filecolor, citecolor,\nurlcolor, or toccolor are set.","$id":"quarto-resource-document-colors-filecolor"},"quarto-resource-document-colors-citecolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for citation links using color options allowed by `xcolor`","long":"The color used for citation links using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"Color for links to other content within the document.","$id":"quarto-resource-document-colors-citecolor"},"quarto-resource-document-colors-urlcolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for linked URLs using color options allowed by `xcolor`","long":"The color used for linked URLs using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"Configuration for document commenting.","$id":"quarto-resource-document-colors-urlcolor"},"quarto-resource-document-colors-toccolor":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The color used for links in the Table of Contents using color options allowed by `xcolor`","long":"The color used for links in the Table of Contents using color options\nallowed by [`xcolor`](https://ctan.org/pkg/xcolor), \nincluding the `dvipsnames`, `svgnames`, and\n`x11names` lists.\n"}},"documentation":"Configuration for cross-reference labels and prefixes.","$id":"quarto-resource-document-colors-toccolor"},"quarto-resource-document-colors-colorlinks":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Add color to link text, automatically enabled if any of \n`linkcolor`, `filecolor`, `citecolor`, `urlcolor`, or `toccolor` are set.\n"},"documentation":"A custom cross reference type. See Custom\nfor more details.","$id":"quarto-resource-document-colors-colorlinks"},"quarto-resource-document-colors-contrastcolor":{"type":"string","description":"be a string","tags":{"formats":["context"],"description":{"short":"Color for links to other content within the document.","long":"Color for links to other content within the document. \n\nSee [ConTeXt Color](https://wiki.contextgarden.net/Color) for additional information.\n"}},"documentation":"The kind of cross reference (currently only “float” is\nsupported).","$id":"quarto-resource-document-colors-contrastcolor"},"quarto-resource-document-comments-comments":{"_internalId":3513,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration","tags":{"formats":["$html-files"],"description":"Configuration for document commenting."},"documentation":"The prefix used in rendered references when referencing this\ntype.","$id":"quarto-resource-document-comments-comments"},"quarto-resource-document-crossref-crossref":{"_internalId":3659,"type":"anyOf","anyOf":[{"_internalId":3518,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":3658,"type":"object","description":"be an object","properties":{"custom":{"_internalId":3546,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":3545,"type":"object","description":"be an object","properties":{"kind":{"_internalId":3527,"type":"enum","enum":["float"],"description":"be 'float'","completions":["float"],"exhaustiveCompletions":true,"tags":{"description":"The kind of cross reference (currently only \"float\" is supported)."},"documentation":"The key used to prefix reference labels of this type, such as “fig”,\n“tbl”, “lst”, etc."},"reference-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used in rendered references when referencing this type."},"documentation":"In LaTeX output, the name of the custom environment to be used."},"caption-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used in rendered captions when referencing this type. If omitted, the field `reference-prefix` is used."},"documentation":"In LaTeX output, the extension of the auxiliary file used by LaTeX to\ncollect names to be used in the custom “list of” command. If omitted, a\nstring with prefix lo and suffix with the value of\nref-type is used."},"space-before-numbering":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"If false, use no space between crossref prefixes and numbering."},"documentation":"The description of the crossreferenceable object to be used in the\ntitle of the “list of” command. If omitted, the field\nreference-prefix is used."},"key":{"type":"string","description":"be a string","tags":{"description":"The key used to prefix reference labels of this type, such as \"fig\", \"tbl\", \"lst\", etc."},"documentation":"The location of the caption relative to the crossreferenceable\ncontent."},"latex-env":{"type":"string","description":"be a string","tags":{"description":"In LaTeX output, the name of the custom environment to be used."},"documentation":"Use top level sections (H1) in this document as chapters."},"latex-list-of-file-extension":{"type":"string","description":"be a string","tags":{"description":"In LaTeX output, the extension of the auxiliary file used by LaTeX to collect names to be used in the custom \"list of\" command. If omitted, a string with prefix `lo` and suffix with the value of `ref-type` is used."},"documentation":"The delimiter used between the prefix and the caption."},"latex-list-of-description":{"type":"string","description":"be a string","tags":{"description":"The description of the crossreferenceable object to be used in the title of the \"list of\" command. If omitted, the field `reference-prefix` is used."},"documentation":"The title prefix used for figure captions."},"caption-location":{"_internalId":3544,"type":"enum","enum":["top","bottom","margin"],"description":"be one of: `top`, `bottom`, `margin`","completions":["top","bottom","margin"],"exhaustiveCompletions":true,"tags":{"description":"The location of the caption relative to the crossreferenceable content."},"documentation":"The title prefix used for table captions."}},"patternProperties":{},"required":["kind","reference-prefix","key"],"closed":true,"tags":{"description":"A custom cross reference type. See [Custom](https://quarto.org/docs/reference/metadata/crossref.html#custom) for more details."},"documentation":"If false, use no space between crossref prefixes and numbering."}},"chapters":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Use top level sections (H1) in this document as chapters."},"documentation":"The title prefix used for equation captions."},"title-delim":{"type":"string","description":"be a string","tags":{"description":"The delimiter used between the prefix and the caption."},"documentation":"The title prefix used for listing captions."},"fig-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for figure captions."},"documentation":"The title prefix used for theorem captions."},"tbl-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for table captions."},"documentation":"The title prefix used for lemma captions."},"eq-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for equation captions."},"documentation":"The title prefix used for corollary captions."},"lst-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for listing captions."},"documentation":"The title prefix used for proposition captions."},"thm-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for theorem captions."},"documentation":"The title prefix used for conjecture captions."},"lem-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for lemma captions."},"documentation":"The title prefix used for definition captions."},"cor-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for corollary captions."},"documentation":"The title prefix used for example captions."},"prp-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for proposition captions."},"documentation":"The title prefix used for exercise captions."},"cnj-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for conjecture captions."},"documentation":"The prefix used for an inline reference to a figure."},"def-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for definition captions."},"documentation":"The prefix used for an inline reference to a table."},"exm-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for example captions."},"documentation":"The prefix used for an inline reference to an equation."},"exr-title":{"type":"string","description":"be a string","tags":{"description":"The title prefix used for exercise captions."},"documentation":"The prefix used for an inline reference to a section."},"fig-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a figure."},"documentation":"The prefix used for an inline reference to a listing."},"tbl-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a table."},"documentation":"The prefix used for an inline reference to a theorem."},"eq-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to an equation."},"documentation":"The prefix used for an inline reference to a lemma."},"sec-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a section."},"documentation":"The prefix used for an inline reference to a corollary."},"lst-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a listing."},"documentation":"The prefix used for an inline reference to a proposition."},"thm-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a theorem."},"documentation":"The prefix used for an inline reference to a conjecture."},"lem-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a lemma."},"documentation":"The prefix used for an inline reference to a definition."},"cor-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a corollary."},"documentation":"The prefix used for an inline reference to an example."},"prp-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a proposition."},"documentation":"The prefix used for an inline reference to an exercise."},"cnj-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a conjecture."},"documentation":"The numbering scheme used for figures."},"def-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to a definition."},"documentation":"The numbering scheme used for tables."},"exm-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to an example."},"documentation":"The numbering scheme used for equations."},"exr-prefix":{"type":"string","description":"be a string","tags":{"description":"The prefix used for an inline reference to an exercise."},"documentation":"The numbering scheme used for sections."},"fig-labels":{"_internalId":3603,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for figures."},"documentation":"The numbering scheme used for listings."},"tbl-labels":{"_internalId":3606,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for tables."},"documentation":"The numbering scheme used for theorems."},"eq-labels":{"_internalId":3609,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for equations."},"documentation":"The numbering scheme used for lemmas."},"sec-labels":{"_internalId":3612,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for sections."},"documentation":"The numbering scheme used for corollaries."},"lst-labels":{"_internalId":3615,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for listings."},"documentation":"The numbering scheme used for propositions."},"thm-labels":{"_internalId":3618,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for theorems."},"documentation":"The numbering scheme used for conjectures."},"lem-labels":{"_internalId":3621,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for lemmas."},"documentation":"The numbering scheme used for definitions."},"cor-labels":{"_internalId":3624,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for corollaries."},"documentation":"The numbering scheme used for examples."},"prp-labels":{"_internalId":3627,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for propositions."},"documentation":"The numbering scheme used for exercises."},"cnj-labels":{"_internalId":3630,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for conjectures."},"documentation":"The title used for the list of figures."},"def-labels":{"_internalId":3633,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for definitions."},"documentation":"The title used for the list of tables."},"exm-labels":{"_internalId":3636,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for examples."},"documentation":"The title used for the list of listings."},"exr-labels":{"_internalId":3639,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The numbering scheme used for exercises."},"documentation":"The number scheme used for references."},"lof-title":{"type":"string","description":"be a string","tags":{"description":"The title used for the list of figures."},"documentation":"The number scheme used for sub references."},"lot-title":{"type":"string","description":"be a string","tags":{"description":"The title used for the list of tables."},"documentation":"Whether cross references should be hyper-linked."},"lol-title":{"type":"string","description":"be a string","tags":{"description":"The title used for the list of listings."},"documentation":"The title used for appendix."},"labels":{"_internalId":3648,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The number scheme used for references."},"documentation":"The delimiter beween appendix number and title."},"subref-labels":{"_internalId":3651,"type":"ref","$ref":"crossref-labels-schema","description":"be crossref-labels-schema","tags":{"description":"The number scheme used for sub references."},"documentation":"Enables a hover popup for cross references that shows the item being\nreferenced."},"ref-hyperlink":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether cross references should be hyper-linked."},"documentation":"Logo image(s) (placed on the left side of the navigation bar)"},"appendix-title":{"type":"string","description":"be a string","tags":{"description":"The title used for appendix."},"documentation":"Default orientation for dashboard content (default\nrows)"},"appendix-delim":{"type":"string","description":"be a string","tags":{"description":"The delimiter beween appendix number and title."},"documentation":"Use scrolling rather than fill layout (default:\nfalse)"}},"patternProperties":{},"closed":true}],"description":"be at least one of: 'false', an object","documentation":"The prefix used in rendered captions when referencing this type. If\nomitted, the field reference-prefix is used.","tags":{"description":{"short":"Configuration for cross-reference labels and prefixes.","long":"Configuration for cross-reference labels and prefixes. See [Cross-Reference Options](https://quarto.org/docs/reference/metadata/crossref.html) for more details."}},"$id":"quarto-resource-document-crossref-crossref"},"quarto-resource-document-crossref-crossrefs-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables a hover popup for cross references that shows the item being referenced."},"documentation":"Make card content expandable (default: true)","$id":"quarto-resource-document-crossref-crossrefs-hover"},"quarto-resource-document-dashboard-logo":{"_internalId":3664,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"formats":["dashboard"],"description":"Logo image(s) (placed on the left side of the navigation bar)"},"documentation":"Links to display on the dashboard navigation bar","$id":"quarto-resource-document-dashboard-logo"},"quarto-resource-document-dashboard-orientation":{"_internalId":3667,"type":"enum","enum":["rows","columns"],"description":"be one of: `rows`, `columns`","completions":["rows","columns"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":"Default orientation for dashboard content (default `rows`)"},"documentation":"Visual editor configuration","$id":"quarto-resource-document-dashboard-orientation"},"quarto-resource-document-dashboard-scrolling":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":"Use scrolling rather than fill layout (default: `false`)"},"documentation":"Default editing mode for document","$id":"quarto-resource-document-dashboard-scrolling"},"quarto-resource-document-dashboard-expandable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["dashboard"],"description":"Make card content expandable (default: `true`)"},"documentation":"Markdown writing options for visual editor","$id":"quarto-resource-document-dashboard-expandable"},"quarto-resource-document-dashboard-nav-buttons":{"_internalId":3697,"type":"anyOf","anyOf":[{"_internalId":3695,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3694,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string"},"href":{"type":"string","description":"be a string"},"icon":{"type":"string","description":"be a string"},"rel":{"type":"string","description":"be a string"},"target":{"type":"string","description":"be a string"},"title":{"type":"string","description":"be a string"},"aria-label":{"type":"string","description":"be a string"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention text,href,icon,rel,target,title,aria-label","type":"string","pattern":"(?!(^aria_label$|^ariaLabel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object"},{"_internalId":3696,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":3695,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3694,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string"},"href":{"type":"string","description":"be a string"},"icon":{"type":"string","description":"be a string"},"rel":{"type":"string","description":"be a string"},"target":{"type":"string","description":"be a string"},"title":{"type":"string","description":"be a string"},"aria-label":{"type":"string","description":"be a string"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention text,href,icon,rel,target,title,aria-label","type":"string","pattern":"(?!(^aria_label$|^ariaLabel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"formats":["dashboard"],"description":"Links to display on the dashboard navigation bar"},"documentation":"A column number (e.g. 72), sentence, or\nnone","$id":"quarto-resource-document-dashboard-nav-buttons"},"quarto-resource-document-editor-editor":{"_internalId":3738,"type":"anyOf","anyOf":[{"_internalId":3702,"type":"enum","enum":["source","visual"],"description":"be one of: `source`, `visual`","completions":["source","visual"],"exhaustiveCompletions":true},{"_internalId":3737,"type":"object","description":"be an object","properties":{"mode":{"_internalId":3707,"type":"enum","enum":["source","visual"],"description":"be one of: `source`, `visual`","completions":["source","visual"],"exhaustiveCompletions":true,"tags":{"description":"Default editing mode for document"},"documentation":"Reference writing options for visual editor"},"markdown":{"_internalId":3732,"type":"object","description":"be an object","properties":{"wrap":{"_internalId":3717,"type":"anyOf","anyOf":[{"_internalId":3714,"type":"enum","enum":["sentence","none"],"description":"be one of: `sentence`, `none`","completions":["sentence","none"],"exhaustiveCompletions":true},{"type":"number","description":"be a number"}],"description":"be at least one of: one of: `sentence`, `none`, a number","tags":{"description":"A column number (e.g. 72), `sentence`, or `none`"},"documentation":"Write markdown links as references rather than inline."},"canonical":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Write standard visual editor markdown from source mode."},"documentation":"Unique prefix for references (none to prevent automatic\nprefixes)"},"references":{"_internalId":3731,"type":"object","description":"be an object","properties":{"location":{"_internalId":3726,"type":"enum","enum":["block","section","document"],"description":"be one of: `block`, `section`, `document`","completions":["block","section","document"],"exhaustiveCompletions":true,"tags":{"description":"Location to write references (`block`, `section`, or `document`)"},"documentation":"Enable (true) or disable (false) Zotero for\na document. Alternatively, provide a list of one or more Zotero group\nlibraries to use with the document."},"links":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Write markdown links as references rather than inline."},"documentation":"The identifier for this publication."},"prefix":{"type":"string","description":"be a string","tags":{"description":"Unique prefix for references (`none` to prevent automatic prefixes)"},"documentation":"The identifier value."}},"patternProperties":{},"tags":{"description":"Reference writing options for visual editor"},"documentation":"Automatically re-render for preview whenever document is saved (note\nthat this requires a preview for the saved document be already running).\nThis option currently works only within VS Code."}},"patternProperties":{},"tags":{"description":"Markdown writing options for visual editor"},"documentation":"Location to write references (block,\nsection, or document)"},"render-on-save":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"engine":["jupyter"],"description":"Automatically re-render for preview whenever document is saved (note that this requires a preview\nfor the saved document be already running). This option currently works only within VS Code.\n"},"documentation":"The identifier schema (e.g. DOI, ISBN-A,\netc.)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention mode,markdown,render-on-save","type":"string","pattern":"(?!(^render_on_save$|^renderOnSave$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true,"hidden":true},"completions":[]}],"description":"be at least one of: one of: `source`, `visual`, an object","documentation":"Write standard visual editor markdown from source mode.","tags":{"description":"Visual editor configuration"},"$id":"quarto-resource-document-editor-editor"},"quarto-resource-document-editor-zotero":{"_internalId":3749,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3748,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3747,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: a string, an array of values, where each element must be a string","documentation":"Creators of this publication.","tags":{"description":"Enable (`true`) or disable (`false`) Zotero for a document. Alternatively, provide a list of one or\nmore Zotero group libraries to use with the document.\n"},"$id":"quarto-resource-document-editor-zotero"},"quarto-resource-document-epub-identifier":{"_internalId":3762,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3761,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The identifier value."},"documentation":"The subject of the publication."},"schema":{"_internalId":3760,"type":"enum","enum":["ISBN-10","GTIN-13","UPC","ISMN-10","DOI","LCCN","GTIN-14","ISBN-13","Legal deposit number","URN","OCLC","ISMN-13","ISBN-A","JP","OLCC"],"description":"be one of: `ISBN-10`, `GTIN-13`, `UPC`, `ISMN-10`, `DOI`, `LCCN`, `GTIN-14`, `ISBN-13`, `Legal deposit number`, `URN`, `OCLC`, `ISMN-13`, `ISBN-A`, `JP`, `OLCC`","completions":["ISBN-10","GTIN-13","UPC","ISMN-10","DOI","LCCN","GTIN-14","ISBN-13","Legal deposit number","URN","OCLC","ISMN-13","ISBN-A","JP","OLCC"],"exhaustiveCompletions":true,"tags":{"description":"The identifier schema (e.g. `DOI`, `ISBN-A`, etc.)"},"documentation":"The subject text."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","tags":{"formats":["$epub-all"],"description":"The identifier for this publication."},"documentation":"Contributors to this publication.","$id":"quarto-resource-document-epub-identifier"},"quarto-resource-document-epub-creator":{"_internalId":3765,"type":"ref","$ref":"epub-contributor","description":"be epub-contributor","tags":{"formats":["$epub-all"],"description":"Creators of this publication."},"documentation":"An EPUB reserved authority value.","$id":"quarto-resource-document-epub-creator"},"quarto-resource-document-epub-contributor":{"_internalId":3768,"type":"ref","$ref":"epub-contributor","description":"be epub-contributor","tags":{"formats":["$epub-all"],"description":"Contributors to this publication."},"documentation":"The subject term (defined by the schema).","$id":"quarto-resource-document-epub-contributor"},"quarto-resource-document-epub-subject":{"_internalId":3782,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3781,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The subject text."},"documentation":"Text describing the format of this publication."},"authority":{"type":"string","description":"be a string","tags":{"description":"An EPUB reserved authority value."},"documentation":"Text describing the relation of this publication."},"term":{"type":"string","description":"be a string","tags":{"description":"The subject term (defined by the schema)."},"documentation":"Text describing the coverage of this publication."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object","tags":{"formats":["$epub-all"],"description":"The subject of the publication."},"documentation":"Text describing the specialized type of this publication.","$id":"quarto-resource-document-epub-subject"},"quarto-resource-document-epub-type":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":{"short":"Text describing the specialized type of this publication.","long":"Text describing the specialized type of this publication.\n\nAn informative registry of specialized EPUB Publication \ntypes for use with this element is maintained in the \n[TypesRegistry](https://www.w3.org/publishing/epub32/epub-packages.html#bib-typesregistry), \nbut Authors may use any text string as a value.\n"}},"documentation":"Text describing the rights of this publication.","$id":"quarto-resource-document-epub-type"},"quarto-resource-document-epub-format":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the format of this publication."},"documentation":"Identifies the name of a collection to which the EPUB Publication\nbelongs.","$id":"quarto-resource-document-epub-format"},"quarto-resource-document-epub-relation":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the relation of this publication."},"documentation":"Indicates the numeric position in which this publication belongs\nrelative to other works belonging to the same\nbelongs-to-collection field.","$id":"quarto-resource-document-epub-relation"},"quarto-resource-document-epub-coverage":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the coverage of this publication."},"documentation":"Sets the global direction in which content flows (ltr or\nrtl)","$id":"quarto-resource-document-epub-coverage"},"quarto-resource-document-epub-rights":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Text describing the rights of this publication."},"documentation":"iBooks specific metadata options.","$id":"quarto-resource-document-epub-rights"},"quarto-resource-document-epub-belongs-to-collection":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Identifies the name of a collection to which the EPUB Publication belongs."},"documentation":"What is new in this version of the book.","$id":"quarto-resource-document-epub-belongs-to-collection"},"quarto-resource-document-epub-group-position":{"type":"number","description":"be a number","tags":{"formats":["$epub-all"],"description":"Indicates the numeric position in which this publication \nbelongs relative to other works belonging to the same \n`belongs-to-collection` field.\n"},"documentation":"Whether this book provides embedded fonts in a flowing or fixed\nlayout book.","$id":"quarto-resource-document-epub-group-position"},"quarto-resource-document-epub-page-progression-direction":{"_internalId":3799,"type":"enum","enum":["ltr","rtl"],"description":"be one of: `ltr`, `rtl`","completions":["ltr","rtl"],"exhaustiveCompletions":true,"tags":{"formats":["$epub-all"],"description":"Sets the global direction in which content flows (`ltr` or `rtl`)"},"documentation":"The scroll direction for this book (vertical,\nhorizontal, or default)","$id":"quarto-resource-document-epub-page-progression-direction"},"quarto-resource-document-epub-ibooks":{"_internalId":3809,"type":"object","description":"be an object","properties":{"version":{"type":"string","description":"be a string","tags":{"description":"What is new in this version of the book."},"documentation":"Specify the subdirectory in the OCF container that is to hold the\nEPUB-specific contents. The default is EPUB. To put the\nEPUB contents in the top level, use an empty string."},"specified-fonts":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this book provides embedded fonts in a flowing or fixed layout book."},"documentation":"Embed the specified fonts in the EPUB"},"scroll-axis":{"_internalId":3808,"type":"enum","enum":["vertical","horizontal","default"],"description":"be one of: `vertical`, `horizontal`, `default`","completions":["vertical","horizontal","default"],"exhaustiveCompletions":true,"tags":{"description":"The scroll direction for this book (`vertical`, `horizontal`, or `default`)"},"documentation":"Specify the heading level at which to split the EPUB into separate\nchapter files."}},"patternProperties":{},"closed":true,"tags":{"formats":["$epub-all"],"description":"iBooks specific metadata options."},"documentation":"Look in the specified XML file for metadata for the EPUB. The file\nshould contain a series of Dublin\nCore elements.","$id":"quarto-resource-document-epub-ibooks"},"quarto-resource-document-epub-epub-metadata":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":{"short":"Look in the specified XML file for metadata for the EPUB.\nThe file should contain a series of [Dublin Core elements](https://www.dublincore.org/specifications/dublin-core/dces/).\n","long":"Look in the specified XML file for metadata for the EPUB.\nThe file should contain a series of [Dublin Core elements](https://www.dublincore.org/specifications/dublin-core/dces/).\nFor example:\n\n```xml\nCreative Commons\nes-AR\n```\n\nBy default, pandoc will include the following metadata elements:\n`` (from the document title), `` (from the\ndocument authors), `` (from the document date, which should\nbe in [ISO 8601 format]), `` (from the `lang`\nvariable, or, if is not set, the locale), and `` (a randomly generated UUID). Any of these may be\noverridden by elements in the metadata file.\n\nNote: if the source document is Markdown, a YAML metadata block\nin the document can be used instead.\n"}},"documentation":"Use the specified image as the EPUB cover. It is recommended that the\nimage be less than 1000px in width and height.","$id":"quarto-resource-document-epub-epub-metadata"},"quarto-resource-document-epub-epub-subdirectory":{"_internalId":3818,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, the null value","tags":{"formats":["$epub-all"],"description":"Specify the subdirectory in the OCF container that is to hold the\nEPUB-specific contents. The default is `EPUB`. To put the EPUB \ncontents in the top level, use an empty string.\n"},"documentation":"If false, disables the generation of a title page.","$id":"quarto-resource-document-epub-epub-subdirectory"},"quarto-resource-document-epub-epub-fonts":{"_internalId":3823,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$epub-all"],"description":{"short":"Embed the specified fonts in the EPUB","long":"Embed the specified fonts in the EPUB. Wildcards can also be used: for example,\n`DejaVuSans-*.ttf`. To use the embedded fonts, you will need to add declarations\nlike the following to your CSS:\n\n```css\n@font-face {\n font-family: DejaVuSans;\n font-style: normal;\n font-weight: normal;\n src:url(\"DejaVuSans-Regular.ttf\");\n}\n```\n"}},"documentation":"Engine used for executable code blocks.","$id":"quarto-resource-document-epub-epub-fonts"},"quarto-resource-document-epub-epub-chapter-level":{"type":"number","description":"be a number","tags":{"formats":["$epub-all"],"description":{"short":"Specify the heading level at which to split the EPUB into separate\nchapter files.\n","long":"Specify the heading level at which to split the EPUB into separate\nchapter files. The default is to split into chapters at level-1\nheadings. This option only affects the internal composition of the\nEPUB, not the way chapters and sections are displayed to users. Some\nreaders may be slow if the chapter files are too large, so for large\ndocuments with few level-1 headings, one might want to use a chapter\nlevel of 2 or 3.\n"}},"documentation":"Configures the Jupyter engine.","$id":"quarto-resource-document-epub-epub-chapter-level"},"quarto-resource-document-epub-epub-cover-image":{"type":"string","description":"be a string","tags":{"formats":["$epub-all"],"description":"Use the specified image as the EPUB cover. It is recommended\nthat the image be less than 1000px in width and height.\n"},"documentation":"The name to display in the UI.","$id":"quarto-resource-document-epub-epub-cover-image"},"quarto-resource-document-epub-epub-title-page":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$epub-all"],"description":"If false, disables the generation of a title page."},"documentation":"The name of the language the kernel implements.","$id":"quarto-resource-document-epub-epub-title-page"},"quarto-resource-document-execute-engine":{"type":"string","description":"be a string","completions":["jupyter","knitr","julia"],"documentation":"The name of the kernel.","tags":{"description":"Engine used for executable code blocks."},"$id":"quarto-resource-document-execute-engine"},"quarto-resource-document-execute-jupyter":{"_internalId":3850,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"},{"_internalId":3849,"type":"object","description":"be an object","properties":{"kernelspec":{"_internalId":3848,"type":"object","description":"be an object","properties":{"display_name":{"type":"string","description":"be a string","tags":{"description":"The name to display in the UI."},"documentation":"Arguments to pass to the Julia worker process."},"language":{"type":"string","description":"be a string","tags":{"description":"The name of the language the kernel implements."},"documentation":"Environment variables to pass to the Julia worker process."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of the kernel."},"documentation":"Set Knitr options."}},"patternProperties":{},"required":["display_name","language","name"],"propertyNames":{"errorMessage":"property ${value} does not match case convention display_name,language,name","type":"string","pattern":"(?!(^display-name$|^displayName$))","tags":{"case-convention":["underscore_case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["underscore_case"],"error-importance":-5,"case-detection":true}}},"patternProperties":{},"completions":[],"tags":{"hidden":true}}],"description":"be at least one of: `true` or `false`, a string, an object","documentation":"Configures the Julia engine.","tags":{"description":"Configures the Jupyter engine."},"$id":"quarto-resource-document-execute-jupyter"},"quarto-resource-document-execute-julia":{"_internalId":3867,"type":"object","description":"be an object","properties":{"exeflags":{"_internalId":3859,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Arguments to pass to the Julia worker process."},"documentation":"Knitr chunk options."},"env":{"_internalId":3866,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Environment variables to pass to the Julia worker process."},"documentation":"Cache results of computations."}},"patternProperties":{},"documentation":"Knit options.","tags":{"description":"Configures the Julia engine."},"$id":"quarto-resource-document-execute-julia"},"quarto-resource-document-execute-knitr":{"_internalId":3881,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3880,"type":"object","description":"be an object","properties":{"opts_knit":{"_internalId":3876,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Knit options."},"documentation":"Document server"},"opts_chunk":{"_internalId":3879,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Knitr chunk options."},"documentation":"Type of server to run behind the document\n(e.g. shiny)"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","documentation":"Re-use previous computational output when rendering","tags":{"description":"Set Knitr options."},"$id":"quarto-resource-document-execute-knitr"},"quarto-resource-document-execute-cache":{"_internalId":3889,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3888,"type":"enum","enum":["refresh"],"description":"be 'refresh'","completions":["refresh"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'refresh'","tags":{"execute-only":true,"description":{"short":"Cache results of computations.","long":"Cache results of computations (using the [knitr cache](https://yihui.org/knitr/demo/cache/) \nfor R documents, and [Jupyter Cache](https://jupyter-cache.readthedocs.io/en/latest/) \nfor Jupyter documents).\n\nNote that cache invalidation is triggered by changes in chunk source code \n(or other cache attributes you've defined). \n\n- `true`: Cache results\n- `false`: Do not cache results\n- `refresh`: Force a refresh of the cache even if has not been otherwise invalidated.\n"}},"documentation":"OJS variables to export to server.","$id":"quarto-resource-document-execute-cache"},"quarto-resource-document-execute-freeze":{"_internalId":3897,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":3896,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'auto'","tags":{"execute-only":true,"description":{"short":"Re-use previous computational output when rendering","long":"Control the re-use of previous computational output when rendering.\n\n- `true`: Never recompute previously generated computational output during a global project render\n- `false` (default): Recompute previously generated computational output\n- `auto`: Re-compute previously generated computational output only in case their source file changes\n"}},"documentation":"Server reactive values to import into OJS.","$id":"quarto-resource-document-execute-freeze"},"quarto-resource-document-execute-server":{"_internalId":3921,"type":"anyOf","anyOf":[{"_internalId":3902,"type":"enum","enum":["shiny"],"description":"be 'shiny'","completions":["shiny"],"exhaustiveCompletions":true},{"_internalId":3920,"type":"object","description":"be an object","properties":{"type":{"_internalId":3907,"type":"enum","enum":["shiny"],"description":"be 'shiny'","completions":["shiny"],"exhaustiveCompletions":true,"tags":{"description":"Type of server to run behind the document (e.g. `shiny`)"},"documentation":"Restart any running Jupyter daemon before rendering."},"ojs-export":{"_internalId":3913,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3912,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"OJS variables to export to server."},"documentation":"Enable code cell execution."},"ojs-import":{"_internalId":3919,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3918,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Server reactive values to import into OJS."},"documentation":"Execute code cell execution in Jupyter notebooks."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,ojs-export,ojs-import","type":"string","pattern":"(?!(^ojs_export$|^ojsExport$|^ojs_import$|^ojsImport$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: 'shiny', an object","documentation":"Run Jupyter kernels within a peristent daemon (to mitigate kernel\nstartup time).","tags":{"description":"Document server","hidden":true},"$id":"quarto-resource-document-execute-server"},"quarto-resource-document-execute-daemon":{"_internalId":3928,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a number, `true` or `false`","documentation":"Show code-execution related debug information.","tags":{"description":{"short":"Run Jupyter kernels within a peristent daemon (to mitigate kernel startup time).","long":"Run Jupyter kernels within a peristent daemon (to mitigate kernel startup time).\nBy default a daemon with a timeout of 300 seconds will be used. Set `daemon`\nto another timeout value or to `false` to disable it altogether.\n"},"hidden":true},"$id":"quarto-resource-document-execute-daemon"},"quarto-resource-document-execute-daemon-restart":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Default width for figures generated by Matplotlib or R graphics","tags":{"description":"Restart any running Jupyter daemon before rendering.","hidden":true},"$id":"quarto-resource-document-execute-daemon-restart"},"quarto-resource-document-execute-enabled":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Default height for figures generated by Matplotlib or R graphics","tags":{"description":"Enable code cell execution.","hidden":true},"$id":"quarto-resource-document-execute-enabled"},"quarto-resource-document-execute-ipynb":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Default format for figures generated by Matplotlib or R graphics\n(retina, png, jpeg,\nsvg, or pdf)","tags":{"description":"Execute code cell execution in Jupyter notebooks.","hidden":true},"$id":"quarto-resource-document-execute-ipynb"},"quarto-resource-document-execute-debug":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Default DPI for figures generated by Matplotlib or R graphics","tags":{"description":"Show code-execution related debug information.","hidden":true},"$id":"quarto-resource-document-execute-debug"},"quarto-resource-document-figures-fig-width":{"type":"number","description":"be a number","documentation":"The aspect ratio of the plot, i.e., the ratio of height/width.","tags":{"description":{"short":"Default width for figures generated by Matplotlib or R graphics","long":"Default width for figures generated by Matplotlib or R graphics.\n\nNote that with the Jupyter engine, this option has no effect when\nprovided at the cell level; it can only be provided with\ndocument or project metadata.\n"}},"$id":"quarto-resource-document-figures-fig-width"},"quarto-resource-document-figures-fig-height":{"type":"number","description":"be a number","documentation":"Whether to make images in this document responsive.","tags":{"description":{"short":"Default height for figures generated by Matplotlib or R graphics","long":"Default height for figures generated by Matplotlib or R graphics.\n\nNote that with the Jupyter engine, this option has no effect when\nprovided at the cell level; it can only be provided with\ndocument or project metadata.\n"}},"$id":"quarto-resource-document-figures-fig-height"},"quarto-resource-document-figures-fig-format":{"_internalId":3943,"type":"enum","enum":["retina","png","jpeg","svg","pdf"],"description":"be one of: `retina`, `png`, `jpeg`, `svg`, `pdf`","completions":["retina","png","jpeg","svg","pdf"],"exhaustiveCompletions":true,"documentation":"Sets the main font for the document.","tags":{"description":"Default format for figures generated by Matplotlib or R graphics (`retina`, `png`, `jpeg`, `svg`, or `pdf`)"},"$id":"quarto-resource-document-figures-fig-format"},"quarto-resource-document-figures-fig-dpi":{"type":"number","description":"be a number","documentation":"Sets the font used for when displaying code.","tags":{"description":{"short":"Default DPI for figures generated by Matplotlib or R graphics","long":"Default DPI for figures generated by Matplotlib or R graphics.\n\nNote that with the Jupyter engine, this option has no effect when\nprovided at the cell level; it can only be provided with\ndocument or project metadata.\n"}},"$id":"quarto-resource-document-figures-fig-dpi"},"quarto-resource-document-figures-fig-asp":{"type":"number","description":"be a number","tags":{"engine":"knitr","description":{"short":"The aspect ratio of the plot, i.e., the ratio of height/width.\n","long":"The aspect ratio of the plot, i.e., the ratio of height/width. When `fig-asp` is specified,\nthe height of a plot (the option `fig-height`) is calculated from `fig-width * fig-asp`.\n\nThe `fig-asp` option is only available within the knitr engine.\n"}},"documentation":"Sets the main font size for the document.","$id":"quarto-resource-document-figures-fig-asp"},"quarto-resource-document-figures-fig-responsive":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-all"],"description":"Whether to make images in this document responsive."},"documentation":"Allows font encoding to be specified through fontenc\npackage.","$id":"quarto-resource-document-figures-fig-responsive"},"quarto-resource-document-fonts-mainfont":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all","typst"],"description":{"short":"Sets the main font for the document.","long":"For HTML output, sets the CSS `font-family` on the HTML element.\n\nFor LaTeX output, the main font family for use with `xelatex` or \n`lualatex`. Takes the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package. \n\nFor ConTeXt output, the main font family. Use the name of any \nsystem font. See [ConTeXt Fonts](https://wiki.contextgarden.net/Fonts) for more\ninformation.\n"}},"documentation":"Font package to use when compiling a PDF with the\npdflatex pdf-engine.","$id":"quarto-resource-document-fonts-mainfont"},"quarto-resource-document-fonts-monofont":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all"],"description":{"short":"Sets the font used for when displaying code.","long":"For HTML output, sets the CSS font-family property on code elements.\n\nFor PowerPoint output, sets the font used for code.\n\nFor LaTeX output, the monospace font family for use with `xelatex` or \n`lualatex`: take the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package. \n\nFor ConTeXt output, the monspace font family. Use the name of any \nsystem font. See [ConTeXt Fonts](https://wiki.contextgarden.net/Fonts) for more\ninformation.\n"}},"documentation":"Options for the package used as fontfamily.","$id":"quarto-resource-document-fonts-monofont"},"quarto-resource-document-fonts-fontsize":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","context","$pdf-all","typst"],"description":{"short":"Sets the main font size for the document.","long":"For HTML output, sets the base CSS `font-size` property.\n\nFor LaTeX and ConTeXt output, sets the font size for the document body text.\n"}},"documentation":"The sans serif font family for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-fontsize"},"quarto-resource-document-fonts-fontenc":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"Allows font encoding to be specified through `fontenc` package.","long":"Allows font encoding to be specified through [`fontenc`](https://www.ctan.org/pkg/fontenc) package.\n\nSee [LaTeX Font Encodings Guide](https://ctan.org/pkg/encguide) for addition information on font encoding.\n"}},"documentation":"The math font family for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-fontenc"},"quarto-resource-document-fonts-fontfamily":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","ms"],"description":{"short":"Font package to use when compiling a PDF with the `pdflatex` `pdf-engine`.","long":"Font package to use when compiling a PDf with the `pdflatex` `pdf-engine`. \n\nSee [The LaTeX Font Catalogue](https://tug.org/FontCatalogue/) for a \nsummary of font options available.\n\nFor groff (`ms`) files, the font family for example, `T` or `P`.\n"}},"documentation":"The CJK main font family for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-fontfamily"},"quarto-resource-document-fonts-fontfamilyoptions":{"_internalId":3965,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3964,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Options for the package used as `fontfamily`.","long":"Options for the package used as `fontfamily`.\n\nFor example, to use the Libertine font with proportional lowercase\n(old-style) figures through the [`libertinus`](https://ctan.org/pkg/libertinus) package:\n\n```yaml\nfontfamily: libertinus\nfontfamilyoptions:\n - osf\n - p\n```\n"}},"documentation":"The main font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-fontfamilyoptions"},"quarto-resource-document-fonts-sansfont":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The sans serif font family for use with `xelatex` or `lualatex`.","long":"The sans serif font family for use with `xelatex` or \n`lualatex`. Takes the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package.\n"}},"documentation":"The sans serif font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-sansfont"},"quarto-resource-document-fonts-mathfont":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The math font family for use with `xelatex` or `lualatex`.","long":"The math font family for use with `xelatex` or \n`lualatex`. Takes the name of any system font, using the\n[`fontspec`](https://ctan.org/pkg/fontspec) package.\n"}},"documentation":"The monospace font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-mathfont"},"quarto-resource-document-fonts-CJKmainfont":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":{"short":"The CJK main font family for use with `xelatex` or `lualatex`.","long":"The CJK main font family for use with `xelatex` or \n`lualatex` using the [`xecjk`](https://ctan.org/pkg/xecjk) package.\n"}},"documentation":"The math font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-CJKmainfont"},"quarto-resource-document-fonts-mainfontoptions":{"_internalId":3977,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3976,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The main font options for use with `xelatex` or `lualatex`.","long":"The main font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n\nFor example, to use the [TeX Gyre](http://www.gust.org.pl/projects/e-foundry/tex-gyre) \nversion of Palatino with lowercase figures:\n\n```yaml\nmainfont: TeX Gyre Pagella\nmainfontoptions:\n - Numbers=Lowercase\n - Numbers=Proportional \n```\n"}},"documentation":"Adds additional directories to search for fonts when compiling with\nTypst.","$id":"quarto-resource-document-fonts-mainfontoptions"},"quarto-resource-document-fonts-sansfontoptions":{"_internalId":3983,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3982,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The sans serif font options for use with `xelatex` or `lualatex`.","long":"The sans serif font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"The CJK font options for use with xelatex or\nlualatex.","$id":"quarto-resource-document-fonts-sansfontoptions"},"quarto-resource-document-fonts-monofontoptions":{"_internalId":3989,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3988,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The monospace font options for use with `xelatex` or `lualatex`.","long":"The monospace font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"Options to pass to the microtype package.","$id":"quarto-resource-document-fonts-monofontoptions"},"quarto-resource-document-fonts-mathfontoptions":{"_internalId":3995,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":3994,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The math font options for use with `xelatex` or `lualatex`.","long":"The math font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"The point size, for example, 10p.","$id":"quarto-resource-document-fonts-mathfontoptions"},"quarto-resource-document-fonts-font-paths":{"_internalId":4001,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4000,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["typst"],"description":{"short":"Adds additional directories to search for fonts when compiling with Typst.","long":"Locally, Typst uses installed system fonts. In addition, some custom path \ncan be specified to add directories that should be scanned for fonts.\nSetting this configuration will take precedence over any path set in TYPST_FONT_PATHS environment variable.\n"}},"documentation":"The line height, for example, 12p.","$id":"quarto-resource-document-fonts-font-paths"},"quarto-resource-document-fonts-CJKoptions":{"_internalId":4007,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4006,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"The CJK font options for use with `xelatex` or `lualatex`.","long":"The CJK font options for use with `xelatex` or `lualatex` allowing\nany options available through [`fontspec`](https://ctan.org/pkg/fontspec).\n"}},"documentation":"Sets the line height or spacing for text in the document.","$id":"quarto-resource-document-fonts-CJKoptions"},"quarto-resource-document-fonts-microtypeoptions":{"_internalId":4013,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4012,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Options to pass to the microtype package.","long":"Options to pass to the [microtype](https://ctan.org/pkg/microtype) package."}},"documentation":"Adjusts line spacing using the \\setupinterlinespace\ncommand.","$id":"quarto-resource-document-fonts-microtypeoptions"},"quarto-resource-document-fonts-pointsize":{"type":"string","description":"be a string","tags":{"formats":["ms"],"description":"The point size, for example, `10p`."},"documentation":"The typeface style for links in the document.","$id":"quarto-resource-document-fonts-pointsize"},"quarto-resource-document-fonts-lineheight":{"type":"string","description":"be a string","tags":{"formats":["ms"],"description":"The line height, for example, `12p`."},"documentation":"Set the spacing between paragraphs, for example none,\n`small.","$id":"quarto-resource-document-fonts-lineheight"},"quarto-resource-document-fonts-linestretch":{"_internalId":4024,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"formats":["$html-doc","context","$pdf-all"],"description":{"short":"Sets the line height or spacing for text in the document.","long":"For HTML output sets the CSS `line-height` property on the html \nelement, which is preferred to be unitless.\n\nFor LaTeX output, adjusts line spacing using the \n[setspace](https://ctan.org/pkg/setspace) package, e.g. 1.25, 1.5.\n"}},"documentation":"Enables a hover popup for footnotes that shows the footnote\ncontents.","$id":"quarto-resource-document-fonts-linestretch"},"quarto-resource-document-fonts-interlinespace":{"_internalId":4030,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4029,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":"Adjusts line spacing using the `\\setupinterlinespace` command."},"documentation":"Causes links to be printed as footnotes.","$id":"quarto-resource-document-fonts-interlinespace"},"quarto-resource-document-fonts-linkstyle":{"type":"string","description":"be a string","completions":["normal","bold","slanted","boldslanted","type","cap","small"],"tags":{"formats":["context"],"description":"The typeface style for links in the document."},"documentation":"Location for footnotes and references","$id":"quarto-resource-document-fonts-linkstyle"},"quarto-resource-document-fonts-whitespace":{"type":"string","description":"be a string","tags":{"formats":["context"],"description":{"short":"Set the spacing between paragraphs, for example `none`, `small.","long":"Set the spacing between paragraphs, for example `none`, `small` \nusing the [`setupwhitespace`](https://wiki.contextgarden.net/Command/setupwhitespace) \ncommand.\n"}},"documentation":"Set the indentation of paragraphs with one or more options.","$id":"quarto-resource-document-fonts-whitespace"},"quarto-resource-document-footnotes-footnotes-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables a hover popup for footnotes that shows the footnote contents."},"documentation":"Adjusts text to the left, right, center, or both margins\n(l, r, c, or b).","$id":"quarto-resource-document-footnotes-footnotes-hover"},"quarto-resource-document-footnotes-links-as-notes":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Causes links to be printed as footnotes."},"documentation":"Whether to hyphenate text at line breaks even in words that do not\ncontain hyphens.","$id":"quarto-resource-document-footnotes-links-as-notes"},"quarto-resource-document-footnotes-reference-location":{"_internalId":4041,"type":"enum","enum":["block","section","margin","document"],"description":"be one of: `block`, `section`, `margin`, `document`","completions":["block","section","margin","document"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all","muse","$html-files","pdf"],"description":{"short":"Location for footnotes and references\n","long":"Specify location for footnotes. Also controls the location of references, if `reference-links` is set.\n\n- `block`: Place at end of current top-level block\n- `section`: Place at end of current section\n- `margin`: Place at the margin\n- `document`: Place at end of document\n"}},"documentation":"If true, tables are formatted as RST list tables.","$id":"quarto-resource-document-footnotes-reference-location"},"quarto-resource-document-formatting-indenting":{"_internalId":4047,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","completions":["yes","no","none","small","medium","big","first","next","odd","even","normal"]},{"_internalId":4046,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","completions":["yes","no","none","small","medium","big","first","next","odd","even","normal"]}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Set the indentation of paragraphs with one or more options.","long":"Set the indentation of paragraphs with one or more options.\n\nSee [ConTeXt Indentation](https://wiki.contextgarden.net/Indentation) for additional information.\n"}},"documentation":"Specify the heading level at which to split the EPUB into separate\nchapter files.","$id":"quarto-resource-document-formatting-indenting"},"quarto-resource-document-formatting-adjusting":{"_internalId":4050,"type":"enum","enum":["l","r","c","b"],"description":"be one of: `l`, `r`, `c`, `b`","completions":["l","r","c","b"],"exhaustiveCompletions":true,"tags":{"formats":["man"],"description":"Adjusts text to the left, right, center, or both margins (`l`, `r`, `c`, or `b`)."},"documentation":"Information about the funding of the research reported in the article\n(for example, grants, contracts, sponsors) and any open access fees for\nthe article itself","$id":"quarto-resource-document-formatting-adjusting"},"quarto-resource-document-formatting-hyphenate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["man"],"description":{"short":"Whether to hyphenate text at line breaks even in words that do not contain hyphens.","long":"Whether to hyphenate text at line breaks even in words that do not contain \nhyphens if it is necessary to do so to lay out words on a line without excessive spacing\n"}},"documentation":"Displayable prose statement that describes the funding for the\nresearch on which a work was based.","$id":"quarto-resource-document-formatting-hyphenate"},"quarto-resource-document-formatting-list-tables":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["rst"],"description":"If true, tables are formatted as RST list tables."},"documentation":"Open access provisions that apply to a work or the funding\ninformation that provided the open access provisions.","$id":"quarto-resource-document-formatting-list-tables"},"quarto-resource-document-formatting-split-level":{"type":"number","description":"be a number","tags":{"formats":["$epub-all","chunkedhtml"],"description":{"short":"Specify the heading level at which to split the EPUB into separate\nchapter files.\n","long":"Specify the heading level at which to split the EPUB into separate\nchapter files. The default is to split into chapters at level-1\nheadings. This option only affects the internal composition of the\nEPUB, not the way chapters and sections are displayed to users. Some\nreaders may be slow if the chapter files are too large, so for large\ndocuments with few level-1 headings, one might want to use a chapter\nlevel of 2 or 3.\n"}},"documentation":"Unique identifier assigned to an award, contract, or grant.","$id":"quarto-resource-document-formatting-split-level"},"quarto-resource-document-funding-funding":{"_internalId":4159,"type":"anyOf","anyOf":[{"_internalId":4157,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4156,"type":"object","description":"be an object","properties":{"statement":{"type":"string","description":"be a string","tags":{"description":"Displayable prose statement that describes the funding for the research on which a work was based."},"documentation":"The description for this award."},"open-access":{"type":"string","description":"be a string","tags":{"description":"Open access provisions that apply to a work or the funding information that provided the open access provisions."},"documentation":"Agency or organization that funded the research on which a work was\nbased."},"awards":{"_internalId":4155,"type":"anyOf","anyOf":[{"_internalId":4153,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"The text describing the source of the funding."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"Abbreviation for country where source of grant is located."},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The text describing the source of the funding."},"source":{"_internalId":4094,"type":"anyOf","anyOf":[{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4093,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Abbreviation for country where source of grant is located."},"recipient":{"_internalId":4123,"type":"anyOf","anyOf":[{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4122,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"The id of an author or affiliation in the document metadata."},"investigator":{"_internalId":4152,"type":"anyOf","anyOf":[{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4151,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{}},{"_internalId":4154,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":4153,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"The text describing the source of the funding."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"Abbreviation for country where source of grant is located."},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The text describing the source of the funding."},"source":{"_internalId":4094,"type":"anyOf","anyOf":[{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4093,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Abbreviation for country where source of grant is located."},"recipient":{"_internalId":4123,"type":"anyOf","anyOf":[{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4122,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"The id of an author or affiliation in the document metadata."},"investigator":{"_internalId":4152,"type":"anyOf","anyOf":[{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4151,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4158,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4157,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4156,"type":"object","description":"be an object","properties":{"statement":{"type":"string","description":"be a string","tags":{"description":"Displayable prose statement that describes the funding for the research on which a work was based."},"documentation":"The description for this award."},"open-access":{"type":"string","description":"be a string","tags":{"description":"Open access provisions that apply to a work or the funding information that provided the open access provisions."},"documentation":"Agency or organization that funded the research on which a work was\nbased."},"awards":{"_internalId":4155,"type":"anyOf","anyOf":[{"_internalId":4153,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"The text describing the source of the funding."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"Abbreviation for country where source of grant is located."},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The text describing the source of the funding."},"source":{"_internalId":4094,"type":"anyOf","anyOf":[{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4093,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Abbreviation for country where source of grant is located."},"recipient":{"_internalId":4123,"type":"anyOf","anyOf":[{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4122,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"The id of an author or affiliation in the document metadata."},"investigator":{"_internalId":4152,"type":"anyOf","anyOf":[{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4151,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{}},{"_internalId":4154,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":4153,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"Unique identifier assigned to an award, contract, or grant."},"documentation":"The text describing the source of the funding."},"name":{"type":"string","description":"be a string","tags":{"description":"The name of this award"},"documentation":"Abbreviation for country where source of grant is located."},"description":{"type":"string","description":"be a string","tags":{"description":"The description for this award."},"documentation":"The text describing the source of the funding."},"source":{"_internalId":4094,"type":"anyOf","anyOf":[{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"},{"_internalId":4093,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":4092,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4091,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The text describing the source of the funding."},"documentation":"The name of an individual that was the recipient of the funding."},"country":{"type":"string","description":"be a string","tags":{"description":{"short":"Abbreviation for country where source of grant is located.","long":"Abbreviation for country where source of grant is located.\nWhenever possible, ISO 3166-1 2-letter alphabetic codes should be used.\n"}},"documentation":"The institution that was the recipient of the funding."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Agency or organization that funded the research on which a work was based."},"documentation":"Abbreviation for country where source of grant is located."},"recipient":{"_internalId":4123,"type":"anyOf","anyOf":[{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4122,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4121,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4105,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{},"closed":true},{"_internalId":4110,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was the recipient of the funding."},"documentation":"The name of an individual that was responsible for the intellectual\ncontent of the work reported in the document."}},"patternProperties":{},"closed":true},{"_internalId":4120,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4119,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4117,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was the recipient of the funding."},"documentation":"The institution that was responsible for the intellectual content of\nthe work reported in the document."}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) or institution(s) to whom the award was given (for example, the principal grant holder or the sponsored individual)."},"documentation":"The id of an author or affiliation in the document metadata."},"investigator":{"_internalId":4152,"type":"anyOf","anyOf":[{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"},{"_internalId":4151,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object, an object","items":{"_internalId":4150,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4134,"type":"object","description":"be an object","properties":{"ref":{"type":"string","description":"be a string","tags":{"description":"The id of an author or affiliation in the document metadata."},"documentation":"Format to write to (e.g. html)"}},"patternProperties":{},"closed":true},{"_internalId":4139,"type":"object","description":"be an object","properties":{"name":{"type":"string","description":"be a string","tags":{"description":"The name of an individual that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input file to read from"}},"patternProperties":{},"closed":true},{"_internalId":4149,"type":"object","description":"be an object","properties":{"institution":{"_internalId":4148,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4146,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"The institution that was responsible for the intellectual content of the work reported in the document."},"documentation":"Input files to read from"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object, an object","tags":{"complete-from":["anyOf",0],"description":"Individual(s) responsible for the intellectual content of the work reported in the document."},"documentation":"The id of an author or affiliation in the document metadata."}},"patternProperties":{}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0],"description":"Information about the funding of the research reported in the article \n(for example, grants, contracts, sponsors) and any open access fees for the article itself\n"},"documentation":"The name of this award","$id":"quarto-resource-document-funding-funding"},"quarto-resource-document-hidden-to":{"type":"string","description":"be a string","documentation":"Include options from the specified defaults files","tags":{"description":{"short":"Format to write to (e.g. html)","long":"Format to write to. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. gfm+footnotes)\n"},"hidden":true},"$id":"quarto-resource-document-hidden-to"},"quarto-resource-document-hidden-writer":{"type":"string","description":"be a string","documentation":"Pandoc metadata variables","tags":{"description":{"short":"Format to write to (e.g. html)","long":"Format to write to. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. gfm+footnotes)\n"},"hidden":true},"$id":"quarto-resource-document-hidden-writer"},"quarto-resource-document-hidden-input-file":{"type":"string","description":"be a string","documentation":"Pandoc metadata variables","tags":{"description":"Input file to read from","hidden":true},"$id":"quarto-resource-document-hidden-input-file"},"quarto-resource-document-hidden-input-files":{"_internalId":4168,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Headers to include with HTTP requests by Pandoc","tags":{"description":"Input files to read from","hidden":true},"$id":"quarto-resource-document-hidden-input-files"},"quarto-resource-document-hidden-defaults":{"_internalId":4173,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Display trace debug output.","tags":{"description":"Include options from the specified defaults files","hidden":true},"$id":"quarto-resource-document-hidden-defaults"},"quarto-resource-document-hidden-variables":{"_internalId":4174,"type":"object","description":"be an object","properties":{},"patternProperties":{},"documentation":"Exit with error status if there are any warnings.","tags":{"description":"Pandoc metadata variables","hidden":true},"$id":"quarto-resource-document-hidden-variables"},"quarto-resource-document-hidden-metadata":{"_internalId":4176,"type":"object","description":"be an object","properties":{},"patternProperties":{},"documentation":"Print information about command-line arguments to stdout,\nthen exit.","tags":{"description":"Pandoc metadata variables","hidden":true},"$id":"quarto-resource-document-hidden-metadata"},"quarto-resource-document-hidden-request-headers":{"_internalId":4180,"type":"ref","$ref":"pandoc-format-request-headers","description":"be pandoc-format-request-headers","documentation":"Ignore command-line arguments (for use in wrapper scripts).","tags":{"description":"Headers to include with HTTP requests by Pandoc","hidden":true},"$id":"quarto-resource-document-hidden-request-headers"},"quarto-resource-document-hidden-trace":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Parse each file individually before combining for multifile\ndocuments.","tags":{"description":"Display trace debug output."},"$id":"quarto-resource-document-hidden-trace"},"quarto-resource-document-hidden-fail-if-warnings":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Specify the user data directory to search for pandoc data files.","tags":{"description":"Exit with error status if there are any warnings."},"$id":"quarto-resource-document-hidden-fail-if-warnings"},"quarto-resource-document-hidden-dump-args":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Level of program output (INFO, ERROR, or\nWARNING)","tags":{"description":"Print information about command-line arguments to *stdout*, then exit.","hidden":true},"$id":"quarto-resource-document-hidden-dump-args"},"quarto-resource-document-hidden-ignore-args":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Write log messages in machine-readable JSON format to FILE.","tags":{"description":"Ignore command-line arguments (for use in wrapper scripts).","hidden":true},"$id":"quarto-resource-document-hidden-ignore-args"},"quarto-resource-document-hidden-file-scope":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Specify what to do with insertions, deletions, and comments produced\nby the MS Word “Track Changes” feature.","tags":{"description":"Parse each file individually before combining for multifile documents.","hidden":true},"$id":"quarto-resource-document-hidden-file-scope"},"quarto-resource-document-hidden-data-dir":{"type":"string","description":"be a string","documentation":"Embed the input file source code in the generated HTML","tags":{"description":"Specify the user data directory to search for pandoc data files.","hidden":true},"$id":"quarto-resource-document-hidden-data-dir"},"quarto-resource-document-hidden-verbosity":{"_internalId":4195,"type":"enum","enum":["ERROR","WARNING","INFO"],"description":"be one of: `ERROR`, `WARNING`, `INFO`","completions":["ERROR","WARNING","INFO"],"exhaustiveCompletions":true,"documentation":"Keep hidden source code and output (marked with class\n.hidden)","tags":{"description":"Level of program output (`INFO`, `ERROR`, or `WARNING`)","hidden":true},"$id":"quarto-resource-document-hidden-verbosity"},"quarto-resource-document-hidden-log-file":{"type":"string","description":"be a string","documentation":"Generate HTML output (if necessary) even when targeting markdown.","tags":{"description":"Write log messages in machine-readable JSON format to FILE.","hidden":true},"$id":"quarto-resource-document-hidden-log-file"},"quarto-resource-document-hidden-track-changes":{"_internalId":4200,"type":"enum","enum":["accept","reject","all"],"description":"be one of: `accept`, `reject`, `all`","completions":["accept","reject","all"],"exhaustiveCompletions":true,"tags":{"formats":["docx"],"description":{"short":"Specify what to do with insertions, deletions, and comments produced by \nthe MS Word “Track Changes” feature.\n","long":"Specify what to do with insertions, deletions, and comments\nproduced by the MS Word \"Track Changes\" feature. \n\n- `accept` (default): Process all insertions and deletions.\n- `reject`: Ignore them.\n- `all`: Include all insertions, deletions, and comments, wrapped\n in spans with `insertion`, `deletion`, `comment-start`, and\n `comment-end` classes, respectively. The author and time of\n change is included. \n\nNotes:\n\n- Both `accept` and `reject` ignore comments.\n\n- `all` is useful for scripting: only\n accepting changes from a certain reviewer, say, or before a\n certain date. If a paragraph is inserted or deleted,\n `track-changes: all` produces a span with the class\n `paragraph-insertion`/`paragraph-deletion` before the\n affected paragraph break. \n\n- This option only affects the docx reader.\n"},"hidden":true},"documentation":"Indicates that computational output should not be written within\ndivs. This is necessary for some formats (e.g. pptx) to\nproperly layout figures.","$id":"quarto-resource-document-hidden-track-changes"},"quarto-resource-document-hidden-keep-source":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Embed the input file source code in the generated HTML","long":"Embed the input file source code in the generated HTML. A hidden div with \nclass `quarto-embedded-source-code` will be added to the document. This\noption is not normally used directly but rather in the implementation\nof the `code-tools` option.\n"},"hidden":true},"documentation":"Disable merging of string based and file based includes (some\nformats, specifically ePub, do not correctly handle this merging)","$id":"quarto-resource-document-hidden-keep-source"},"quarto-resource-document-hidden-keep-hidden":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Keep hidden source code and output (marked with class `.hidden`)","hidden":true},"documentation":"Content to include at the end of the document header.","$id":"quarto-resource-document-hidden-keep-hidden"},"quarto-resource-document-hidden-prefer-html":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all"],"description":{"short":"Generate HTML output (if necessary) even when targeting markdown.","long":"Generate HTML output (if necessary) even when targeting markdown. Enables the \nembedding of more sophisticated output (e.g. Jupyter widgets) in markdown.\n"},"hidden":true},"documentation":"Content to include at the beginning of the document body (e.g. after\nthe <body> tag in HTML, or the\n\\begin{document} command in LaTeX).","$id":"quarto-resource-document-hidden-prefer-html"},"quarto-resource-document-hidden-output-divs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Content to include at the end of the document body (before the\n</body> tag in HTML, or the\n\\end{document} command in LaTeX).","tags":{"description":"Indicates that computational output should not be written within divs. \nThis is necessary for some formats (e.g. `pptx`) to properly layout\nfigures.\n","hidden":true},"$id":"quarto-resource-document-hidden-output-divs"},"quarto-resource-document-hidden-merge-includes":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Include contents at the beginning of the document body (e.g. after\nthe <body> tag in HTML, or the\n\\begin{document} command in LaTeX).\nA string value or an object with key “file” indicates a filename\nwhose contents are to be included\nAn object with key “text” indicates textual content to be\nincluded","tags":{"description":"Disable merging of string based and file based includes (some formats, \nspecifically ePub, do not correctly handle this merging)\n","hidden":true},"$id":"quarto-resource-document-hidden-merge-includes"},"quarto-resource-document-includes-header-includes":{"_internalId":4216,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4215,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Content to include at the end of the document header.","hidden":true},"documentation":"Include content at the end of the document body immediately after the\nmarkdown content. While it will be included before the closing\n</body> tag in HTML and the\n\\end{document} command in LaTeX, this option refers to the\nend of the markdown content.\nA string value or an object with key “file” indicates a filename\nwhose contents are to be included\nAn object with key “text” indicates textual content to be\nincluded","$id":"quarto-resource-document-includes-header-includes"},"quarto-resource-document-includes-include-before":{"_internalId":4222,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4221,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Content to include at the beginning of the document body (e.g. after the `` tag in HTML, or the `\\begin{document}` command in LaTeX).","hidden":true},"documentation":"Include contents at the end of the header. This can be used, for\nexample, to include special CSS or JavaScript in HTML documents.\nA string value or an object with key “file” indicates a filename\nwhose contents are to be included\nAn object with key “text” indicates textual content to be\nincluded","$id":"quarto-resource-document-includes-include-before"},"quarto-resource-document-includes-include-after":{"_internalId":4228,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4227,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Content to include at the end of the document body (before the `` tag in HTML, or the `\\end{document}` command in LaTeX).","hidden":true},"documentation":"Path (or glob) to files to publish with this document.","$id":"quarto-resource-document-includes-include-after"},"quarto-resource-document-includes-include-before-body":{"_internalId":4240,"type":"anyOf","anyOf":[{"_internalId":4238,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4237,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"},{"_internalId":4239,"type":"array","description":"be an array of values, where each element must be at least one of: a string, smart-include","items":{"_internalId":4238,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4237,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"}}],"description":"be at least one of: at least one of: a string, smart-include, an array of values, where each element must be at least one of: a string, smart-include","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Include contents at the beginning of the document body\n(e.g. after the `` tag in HTML, or the `\\begin{document}` command\nin LaTeX).\n\nA string value or an object with key \"file\" indicates a filename whose contents are to be included\n\nAn object with key \"text\" indicates textual content to be included\n"},"documentation":"Text to be in a running header.","$id":"quarto-resource-document-includes-include-before-body"},"quarto-resource-document-includes-include-after-body":{"_internalId":4252,"type":"anyOf","anyOf":[{"_internalId":4250,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4249,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"},{"_internalId":4251,"type":"array","description":"be an array of values, where each element must be at least one of: a string, smart-include","items":{"_internalId":4250,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4249,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"}}],"description":"be at least one of: at least one of: a string, smart-include, an array of values, where each element must be at least one of: a string, smart-include","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Include content at the end of the document body immediately after the markdown content. While it will be included before the closing `` tag in HTML and the `\\end{document}` command in LaTeX, this option refers to the end of the markdown content.\n\nA string value or an object with key \"file\" indicates a filename whose contents are to be included\n\nAn object with key \"text\" indicates textual content to be included\n"},"documentation":"Text to be in a running footer.","$id":"quarto-resource-document-includes-include-after-body"},"quarto-resource-document-includes-include-in-header":{"_internalId":4264,"type":"anyOf","anyOf":[{"_internalId":4262,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4261,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"},{"_internalId":4263,"type":"array","description":"be an array of values, where each element must be at least one of: a string, smart-include","items":{"_internalId":4262,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4261,"type":"ref","$ref":"smart-include","description":"be smart-include"}],"description":"be at least one of: a string, smart-include"}}],"description":"be at least one of: at least one of: a string, smart-include, an array of values, where each element must be at least one of: a string, smart-include","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!$jats-all","!ipynb"],"description":"Include contents at the end of the header. This can\nbe used, for example, to include special CSS or JavaScript in HTML\ndocuments.\n\nA string value or an object with key \"file\" indicates a filename whose contents are to be included\n\nAn object with key \"text\" indicates textual content to be included\n"},"documentation":"Whether to include all source documents as file attachments in the\nPDF file.","$id":"quarto-resource-document-includes-include-in-header"},"quarto-resource-document-includes-resources":{"_internalId":4270,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4269,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":"Path (or glob) to files to publish with this document."},"documentation":"The footer for man pages.","$id":"quarto-resource-document-includes-resources"},"quarto-resource-document-includes-headertext":{"_internalId":4276,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4275,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Text to be in a running header.","long":"Text to be in a running header.\n\nProvide a single option or up to four options for different placements\n(odd page inner, odd page outer, even page innner, even page outer).\n"}},"documentation":"The header for man pages.","$id":"quarto-resource-document-includes-headertext"},"quarto-resource-document-includes-footertext":{"_internalId":4282,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4281,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Text to be in a running footer.","long":"Text to be in a running footer.\n\nProvide a single option or up to four options for different placements\n(odd page inner, odd page outer, even page innner, even page outer).\n\nSee [ConTeXt Headers and Footers](https://wiki.contextgarden.net/Headers_and_Footers) for more information.\n"}},"documentation":"Include file with YAML metadata","$id":"quarto-resource-document-includes-footertext"},"quarto-resource-document-includes-includesource":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["context"],"description":"Whether to include all source documents as file attachments in the PDF file."},"documentation":"Include files with YAML metadata","$id":"quarto-resource-document-includes-includesource"},"quarto-resource-document-includes-footer":{"type":"string","description":"be a string","tags":{"formats":["man"],"description":"The footer for man pages."},"documentation":"Identifies the main language of the document (e.g. en or\nen-GB).","$id":"quarto-resource-document-includes-footer"},"quarto-resource-document-includes-header":{"type":"string","description":"be a string","tags":{"formats":["man"],"description":"The header for man pages."},"documentation":"YAML file containing custom language translations","$id":"quarto-resource-document-includes-header"},"quarto-resource-document-includes-metadata-file":{"type":"string","description":"be a string","documentation":"The base script direction for the document (rtl or\nltr).","tags":{"description":{"short":"Include file with YAML metadata","long":"Read metadata from the supplied YAML (or JSON) file. This\noption can be used with every input format, but string scalars\nin the YAML file will always be parsed as Markdown. Generally,\nthe input will be handled the same as in YAML metadata blocks.\nMetadata values specified inside the document, or by using `-M`,\noverwrite values specified with this option.\n"},"hidden":true},"$id":"quarto-resource-document-includes-metadata-file"},"quarto-resource-document-includes-metadata-files":{"_internalId":4295,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Use Quarto’s built-in PDF rendering wrapper","tags":{"description":{"short":"Include files with YAML metadata","long":"Read metadata from the supplied YAML (or JSON) files. This\noption can be used with every input format, but string scalars\nin the YAML file will always be parsed as Markdown. Generally,\nthe input will be handled the same as in YAML metadata blocks.\nValues in files specified later in the list will be preferred\nover those specified earlier. Metadata values specified inside\nthe document, or by using `-M`, overwrite values specified with\nthis option.\n"}},"$id":"quarto-resource-document-includes-metadata-files"},"quarto-resource-document-language-lang":{"type":"string","description":"be a string","documentation":"Enable/disable automatic LaTeX package installation","tags":{"description":{"short":"Identifies the main language of the document (e.g. `en` or `en-GB`).","long":"Identifies the main language of the document using IETF language tags \n(following the [BCP 47](https://www.rfc-editor.org/info/bcp47) standard), \nsuch as `en` or `en-GB`. The [Language subtag lookup](https://r12a.github.io/app-subtags/) \ntool can look up or verify these tags. \n\nThis affects most formats, and controls hyphenation \nin PDF output when using LaTeX (through [`babel`](https://ctan.org/pkg/babel) \nand [`polyglossia`](https://ctan.org/pkg/polyglossia)) or ConTeXt.\n"}},"$id":"quarto-resource-document-language-lang"},"quarto-resource-document-language-language":{"_internalId":4304,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4302,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","documentation":"Minimum number of compilation passes.","tags":{"description":"YAML file containing custom language translations"},"$id":"quarto-resource-document-language-language"},"quarto-resource-document-language-dir":{"_internalId":4307,"type":"enum","enum":["rtl","ltr"],"description":"be one of: `rtl`, `ltr`","completions":["rtl","ltr"],"exhaustiveCompletions":true,"documentation":"Maximum number of compilation passes.","tags":{"description":{"short":"The base script direction for the document (`rtl` or `ltr`).","long":"The base script direction for the document (`rtl` or `ltr`).\n\nFor bidirectional documents, native pandoc `span`s and\n`div`s with the `dir` attribute can\nbe used to override the base direction in some output\nformats. This may not always be necessary if the final\nrenderer (e.g. the browser, when generating HTML) supports\nthe [Unicode Bidirectional Algorithm].\n\nWhen using LaTeX for bidirectional documents, only the\n`xelatex` engine is fully supported (use\n`--pdf-engine=xelatex`).\n"}},"$id":"quarto-resource-document-language-dir"},"quarto-resource-document-latexmk-latex-auto-mk":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":{"short":"Use Quarto's built-in PDF rendering wrapper","long":"Use Quarto's built-in PDF rendering wrapper (includes support \nfor automatically installing missing LaTeX packages)\n"}},"documentation":"Clean intermediates after compilation.","$id":"quarto-resource-document-latexmk-latex-auto-mk"},"quarto-resource-document-latexmk-latex-auto-install":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Enable/disable automatic LaTeX package installation"},"documentation":"Program to use for makeindex.","$id":"quarto-resource-document-latexmk-latex-auto-install"},"quarto-resource-document-latexmk-latex-min-runs":{"type":"number","description":"be a number","tags":{"formats":["pdf","beamer"],"description":"Minimum number of compilation passes."},"documentation":"Array of command line options for makeindex.","$id":"quarto-resource-document-latexmk-latex-min-runs"},"quarto-resource-document-latexmk-latex-max-runs":{"type":"number","description":"be a number","tags":{"formats":["pdf","beamer"],"description":"Maximum number of compilation passes."},"documentation":"Array of command line options for tlmgr.","$id":"quarto-resource-document-latexmk-latex-max-runs"},"quarto-resource-document-latexmk-latex-clean":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Clean intermediates after compilation."},"documentation":"Output directory for intermediates and PDF.","$id":"quarto-resource-document-latexmk-latex-clean"},"quarto-resource-document-latexmk-latex-makeindex":{"type":"string","description":"be a string","tags":{"formats":["pdf","beamer"],"description":"Program to use for `makeindex`."},"documentation":"Set to false to prevent an installation of TinyTex from\nbeing used to compile PDF documents.","$id":"quarto-resource-document-latexmk-latex-makeindex"},"quarto-resource-document-latexmk-latex-makeindex-opts":{"_internalId":4324,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["pdf","beamer"],"description":"Array of command line options for `makeindex`."},"documentation":"Array of paths LaTeX should search for inputs.","$id":"quarto-resource-document-latexmk-latex-makeindex-opts"},"quarto-resource-document-latexmk-latex-tlmgr-opts":{"_internalId":4329,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["pdf","beamer"],"description":"Array of command line options for `tlmgr`."},"documentation":"The document class.","$id":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"quarto-resource-document-latexmk-latex-output-dir":{"type":"string","description":"be a string","tags":{"formats":["pdf","beamer"],"description":"Output directory for intermediates and PDF."},"documentation":"Options for the document class,","$id":"quarto-resource-document-latexmk-latex-output-dir"},"quarto-resource-document-latexmk-latex-tinytex":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Set to `false` to prevent an installation of TinyTex from being used to compile PDF documents."},"documentation":"Control the \\pagestyle{} for the document.","$id":"quarto-resource-document-latexmk-latex-tinytex"},"quarto-resource-document-latexmk-latex-input-paths":{"_internalId":4338,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["pdf","beamer"],"description":"Array of paths LaTeX should search for inputs."},"documentation":"The paper size for the document.","$id":"quarto-resource-document-latexmk-latex-input-paths"},"quarto-resource-document-layout-documentclass":{"type":"string","description":"be a string","completions":["scrartcl","scrbook","scrreprt","scrlttr2","article","book","report","memoir"],"tags":{"formats":["$pdf-all"],"description":"The document class."},"documentation":"The brand mode to use for rendering the document, light\nor dark.","$id":"quarto-resource-document-layout-documentclass"},"quarto-resource-document-layout-classoption":{"_internalId":4346,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4345,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-files","$pdf-all"],"description":{"short":"Options for the document class,","long":"For LaTeX/PDF output, the options set for the document\nclass.\n\nFor HTML output using KaTeX, you can render display\nmath equations flush left using `classoption: fleqn`\n"}},"documentation":"The options for margins and text layout for this document.","$id":"quarto-resource-document-layout-classoption"},"quarto-resource-document-layout-pagestyle":{"type":"string","description":"be a string","completions":["plain","empty","headings"],"tags":{"formats":["$pdf-all"],"description":"Control the `\\pagestyle{}` for the document."},"documentation":"The page layout to use for this document (article,\nfull, or custom)","$id":"quarto-resource-document-layout-pagestyle"},"quarto-resource-document-layout-papersize":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","typst"],"description":"The paper size for the document.\n"},"documentation":"Target page width for output (used to compute columns widths for\nlayout divs)","$id":"quarto-resource-document-layout-papersize"},"quarto-resource-document-layout-brand-mode":{"_internalId":4353,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"formats":["typst","revealjs"],"description":"The brand mode to use for rendering the document, `light` or `dark`.\n"},"documentation":"Properties of the grid system used to layout Quarto HTML pages.","$id":"quarto-resource-document-layout-brand-mode"},"quarto-resource-document-layout-layout":{"_internalId":4359,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4358,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"The options for margins and text layout for this document.","long":"The options for margins and text layout for this document.\n\nSee [ConTeXt Layout](https://wiki.contextgarden.net/Layout) for additional information.\n"}},"documentation":"Defines whether to use the standard, slim, or full content grid or to\nautomatically select the most appropriate content grid.","$id":"quarto-resource-document-layout-layout"},"quarto-resource-document-layout-page-layout":{"_internalId":4362,"type":"enum","enum":["article","full","custom"],"description":"be one of: `article`, `full`, `custom`","completions":["article","full","custom"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"The page layout to use for this document (`article`, `full`, or `custom`)"},"documentation":"The base width of the sidebar (left) column in an HTML page.","$id":"quarto-resource-document-layout-page-layout"},"quarto-resource-document-layout-page-width":{"type":"number","description":"be a number","tags":{"formats":["docx","$odt-all"],"description":{"short":"Target page width for output (used to compute columns widths for `layout` divs)\n","long":"Target body page width for output (used to compute columns widths for `layout` divs).\nDefaults to 6.5 inches, which corresponds to default letter page settings in \ndocx and odt (8.5 inches with 1 inch for each margins).\n"}},"documentation":"The base width of the margin (right) column in an HTML page.","$id":"quarto-resource-document-layout-page-width"},"quarto-resource-document-layout-grid":{"_internalId":4378,"type":"object","description":"be an object","properties":{"content-mode":{"_internalId":4369,"type":"enum","enum":["auto","standard","full","slim"],"description":"be one of: `auto`, `standard`, `full`, `slim`","completions":["auto","standard","full","slim"],"exhaustiveCompletions":true,"tags":{"description":"Defines whether to use the standard, slim, or full content grid or to automatically select the most appropriate content grid."},"documentation":"The width of the gutter that appears between columns in an HTML\npage."},"sidebar-width":{"type":"string","description":"be a string","tags":{"description":"The base width of the sidebar (left) column in an HTML page."},"documentation":"The layout of the appendix for this document (none,\nplain, or default)"},"margin-width":{"type":"string","description":"be a string","tags":{"description":"The base width of the margin (right) column in an HTML page."},"documentation":"Controls the formats which are provided in the citation section of\nthe appendix (false, display, or\nbibtex)."},"body-width":{"type":"string","description":"be a string","tags":{"description":"The base width of the body (center) column in an HTML page."},"documentation":"The layout of the title block for this document (none,\nplain, or default)."},"gutter-width":{"type":"string","description":"be a string","tags":{"description":"The width of the gutter that appears between columns in an HTML page."},"documentation":"Apply a banner style treatment to the title block."}},"patternProperties":{},"closed":true,"documentation":"The base width of the body (center) column in an HTML page.","tags":{"description":{"short":"Properties of the grid system used to layout Quarto HTML pages."}},"$id":"quarto-resource-document-layout-grid"},"quarto-resource-document-layout-appendix-style":{"_internalId":4384,"type":"anyOf","anyOf":[{"_internalId":4383,"type":"enum","enum":["default","plain","none"],"description":"be one of: `default`, `plain`, `none`","completions":["default","plain","none"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `default`, `plain`, `none`","tags":{"formats":["$html-doc"],"description":{"short":"The layout of the appendix for this document (`none`, `plain`, or `default`)","long":"The layout of the appendix for this document (`none`, `plain`, or `default`).\n\nTo completely disable any styling of the appendix, choose the appendix style `none`. For minimal styling, choose `plain.`\n"}},"documentation":"Sets the color of text elements in a banner style title block.","$id":"quarto-resource-document-layout-appendix-style"},"quarto-resource-document-layout-appendix-cite-as":{"_internalId":4396,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4395,"type":"anyOf","anyOf":[{"_internalId":4393,"type":"enum","enum":["display","bibtex"],"description":"be one of: `display`, `bibtex`","completions":["display","bibtex"],"exhaustiveCompletions":true},{"_internalId":4394,"type":"array","description":"be an array of values, where each element must be one of: `display`, `bibtex`","items":{"_internalId":4393,"type":"enum","enum":["display","bibtex"],"description":"be one of: `display`, `bibtex`","completions":["display","bibtex"],"exhaustiveCompletions":true}}],"description":"be at least one of: one of: `display`, `bibtex`, an array of values, where each element must be one of: `display`, `bibtex`","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: one of: `display`, `bibtex`, an array of values, where each element must be one of: `display`, `bibtex`","tags":{"formats":["$html-doc"],"description":{"short":"Controls the formats which are provided in the citation section of the appendix (`false`, `display`, or `bibtex`).","long":"Controls the formats which are provided in the citation section of the appendix.\n\nUse `false` to disable the display of the 'cite as' appendix. Pass one or more of `display` or `bibtex` to enable that\nformat in 'cite as' appendix.\n"}},"documentation":"Enables or disables the display of categories in the title block.","$id":"quarto-resource-document-layout-appendix-cite-as"},"quarto-resource-document-layout-title-block-style":{"_internalId":4402,"type":"anyOf","anyOf":[{"_internalId":4401,"type":"enum","enum":["default","plain","manuscript","none"],"description":"be one of: `default`, `plain`, `manuscript`, `none`","completions":["default","plain","manuscript","none"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `default`, `plain`, `manuscript`, `none`","tags":{"formats":["$html-doc"],"description":{"short":"The layout of the title block for this document (`none`, `plain`, or `default`).","long":"The layout of the title block for this document (`none`, `plain`, or `default`).\n\nTo completely disable any styling of the title block, choose the style `none`. For minimal styling, choose `plain.`\n"}},"documentation":"Adds a css max-width to the body Element.","$id":"quarto-resource-document-layout-title-block-style"},"quarto-resource-document-layout-title-block-banner":{"_internalId":4409,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc"],"description":{"short":"Apply a banner style treatment to the title block.","long":"Applies a banner style treatment for the title block. You may specify one of the following values:\n\n`true`\n: Will enable the banner style display and automatically select a background color based upon the theme.\n\n``\n: If you provide a CSS color value, the banner will be enabled and the background color set to the provided CSS color.\n\n``\n: If you provide the path to a file, the banner will be enabled and the background image will be set to the file path.\n\nSee `title-block-banner-color` if you'd like to control the color of the title block banner text.\n"}},"documentation":"Sets the left margin of the document.","$id":"quarto-resource-document-layout-title-block-banner"},"quarto-resource-document-layout-title-block-banner-color":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":{"short":"Sets the color of text elements in a banner style title block.","long":"Sets the color of text elements in a banner style title block. Use one of the following values:\n\n`body` | `body-bg`\n: Will set the text color to the body text color or body background color, respectively.\n\n``\n: If you provide a CSS color value, the text color will be set to the provided CSS color.\n"}},"documentation":"Sets the right margin of the document.","$id":"quarto-resource-document-layout-title-block-banner-color"},"quarto-resource-document-layout-title-block-categories":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Enables or disables the display of categories in the title block."}},"documentation":"Sets the top margin of the document.","$id":"quarto-resource-document-layout-title-block-categories"},"quarto-resource-document-layout-max-width":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Adds a css `max-width` to the body Element."},"documentation":"Sets the bottom margin of the document.","$id":"quarto-resource-document-layout-max-width"},"quarto-resource-document-layout-margin-left":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the left margin of the document.","long":"For HTML output, sets the `margin-left` property on the Body element.\n\nFor LaTeX output, sets the left margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the left margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the left page margin.\n"}},"documentation":"Options for the geometry package.","$id":"quarto-resource-document-layout-margin-left"},"quarto-resource-document-layout-margin-right":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the right margin of the document.","long":"For HTML output, sets the `margin-right` property on the Body element.\n\nFor LaTeX output, sets the right margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the right margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the right page margin.\n"}},"documentation":"Additional non-color options for the hyperref package.","$id":"quarto-resource-document-layout-margin-right"},"quarto-resource-document-layout-margin-top":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the top margin of the document.","long":"For HTML output, sets the `margin-top` property on the Body element.\n\nFor LaTeX output, sets the top margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the top margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the top page margin.\n"}},"documentation":"Whether to use document class settings for indentation.","$id":"quarto-resource-document-layout-margin-top"},"quarto-resource-document-layout-margin-bottom":{"type":"string","description":"be a string","tags":{"formats":["$html-files","context","$pdf-all"],"description":{"short":"Sets the bottom margin of the document.","long":"For HTML output, sets the `margin-bottom` property on the Body element.\n\nFor LaTeX output, sets the bottom margin if `geometry` is not \nused (otherwise `geometry` overrides this value)\n\nFor ConTeXt output, sets the bottom margin if `layout` is not used, \notherwise `layout` overrides these.\n\nFor `wkhtmltopdf` sets the bottom page margin.\n"}},"documentation":"Make \\paragraph and \\subparagraph\nfree-standing rather than run-in.","$id":"quarto-resource-document-layout-margin-bottom"},"quarto-resource-document-layout-geometry":{"_internalId":4429,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4428,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Options for the geometry package.","long":"Options for the [geometry](https://ctan.org/pkg/geometry) package. For example:\n\n```yaml\ngeometry:\n - top=30mm\n - left=20mm\n - heightrounded\n```\n"}},"documentation":"Directory containing reveal.js files.","$id":"quarto-resource-document-layout-geometry"},"quarto-resource-document-layout-hyperrefoptions":{"_internalId":4435,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4434,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":{"short":"Additional non-color options for the hyperref package.","long":"Options for the [hyperref](https://ctan.org/pkg/hyperref) package. For example:\n\n```yaml\nhyperrefoptions:\n - linktoc=all\n - pdfwindowui\n - pdfpagemode=FullScreen \n```\n\nTo customize link colors, please see the [Quarto PDF reference](https://quarto.org/docs/reference/formats/pdf.html#colors).\n"}},"documentation":"The base url for s5 presentations.","$id":"quarto-resource-document-layout-hyperrefoptions"},"quarto-resource-document-layout-indent":{"_internalId":4442,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"formats":["$pdf-all","ms"],"description":{"short":"Whether to use document class settings for indentation.","long":"Whether to use document class settings for indentation. If the document \nclass settings are not used, the default LaTeX template removes indentation \nand adds space between paragraphs\n\nFor groff (`ms`) documents, the paragraph indent, for example, `2m`.\n"}},"documentation":"The base url for Slidy presentations.","$id":"quarto-resource-document-layout-indent"},"quarto-resource-document-layout-block-headings":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":{"short":"Make `\\paragraph` and `\\subparagraph` free-standing rather than run-in.","long":"Make `\\paragraph` and `\\subparagraph` (fourth- and\nfifth-level headings, or fifth- and sixth-level with book\nclasses) free-standing rather than run-in; requires further\nformatting to distinguish from `\\subsubsection` (third- or\nfourth-level headings). Instead of using this option,\n[KOMA-Script](https://ctan.org/pkg/koma-script) can adjust headings \nmore extensively:\n\n```yaml\nheader-includes: |\n \\RedeclareSectionCommand[\n beforeskip=-10pt plus -2pt minus -1pt,\n afterskip=1sp plus -1sp minus 1sp,\n font=\\normalfont\\itshape]{paragraph}\n \\RedeclareSectionCommand[\n beforeskip=-10pt plus -2pt minus -1pt,\n afterskip=1sp plus -1sp minus 1sp,\n font=\\normalfont\\scshape,\n indent=0pt]{subparagraph}\n```\n"}},"documentation":"The base url for Slideous presentations.","$id":"quarto-resource-document-layout-block-headings"},"quarto-resource-document-library-revealjs-url":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Directory containing reveal.js files."},"documentation":"Enable or disable lightbox treatment for images in this document. See\nLightbox\nFigures for more details.","$id":"quarto-resource-document-library-revealjs-url"},"quarto-resource-document-library-s5-url":{"type":"string","description":"be a string","tags":{"formats":["s5"],"description":"The base url for s5 presentations."},"documentation":"Set this to auto if you’d like any image to be given\nlightbox treatment.","$id":"quarto-resource-document-library-s5-url"},"quarto-resource-document-library-slidy-url":{"type":"string","description":"be a string","tags":{"formats":["slidy"],"description":"The base url for Slidy presentations."},"documentation":"The effect that should be used when opening and closing the lightbox.\nOne of fade, zoom, none. Defaults\nto zoom.","$id":"quarto-resource-document-library-slidy-url"},"quarto-resource-document-library-slideous-url":{"type":"string","description":"be a string","tags":{"formats":["slideous"],"description":"The base url for Slideous presentations."},"documentation":"The position of the title and description when displaying a lightbox.\nOne of top, bottom, left,\nright. Defaults to bottom.","$id":"quarto-resource-document-library-slideous-url"},"quarto-resource-document-lightbox-lightbox":{"_internalId":4482,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4459,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true},{"_internalId":4481,"type":"object","description":"be an object","properties":{"match":{"_internalId":4466,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Set this to `auto` if you'd like any image to be given lightbox treatment.","long":"Set this to `auto` if you'd like any image to be given lightbox treatment. If you omit this, only images with the class `lightbox` will be given the lightbox treatment.\n"}},"documentation":"A class name to apply to the lightbox to allow css targeting. This\nwill replace the lightbox class with your custom class name."},"effect":{"_internalId":4471,"type":"enum","enum":["fade","zoom","none"],"description":"be one of: `fade`, `zoom`, `none`","completions":["fade","zoom","none"],"exhaustiveCompletions":true,"tags":{"description":"The effect that should be used when opening and closing the lightbox. One of `fade`, `zoom`, `none`. Defaults to `zoom`."},"documentation":"Show a special icon next to links that leave the current site."},"desc-position":{"_internalId":4476,"type":"enum","enum":["top","bottom","left","right"],"description":"be one of: `top`, `bottom`, `left`, `right`","completions":["top","bottom","left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the title and description when displaying a lightbox. One of `top`, `bottom`, `left`, `right`. Defaults to `bottom`."},"documentation":"Open external links in a new browser window or tab (rather than\nnavigating the current tab)."},"loop":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether galleries should 'loop' to first image in the gallery if the user continues past the last image of the gallery. Boolean that defaults to `true`."},"documentation":"A regular expression that can be used to determine whether a link is\nan internal link."},"css-class":{"type":"string","description":"be a string","tags":{"description":"A class name to apply to the lightbox to allow css targeting. This will replace the lightbox class with your custom class name."},"documentation":"Controls whether links to other rendered formats are displayed in\nHTML output."}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, 'auto', an object","tags":{"formats":["$html-doc"],"description":"Enable or disable lightbox treatment for images in this document. See [Lightbox Figures](https://quarto.org/docs/output-formats/html-lightbox-figures.html) for more details."},"documentation":"Whether galleries should ‘loop’ to first image in the gallery if the\nuser continues past the last image of the gallery. Boolean that defaults\nto true.","$id":"quarto-resource-document-lightbox-lightbox"},"quarto-resource-document-links-link-external-icon":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc","revealjs"],"description":"Show a special icon next to links that leave the current site."},"documentation":"The title for the link.","$id":"quarto-resource-document-links-link-external-icon"},"quarto-resource-document-links-link-external-newwindow":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc","revealjs"],"description":"Open external links in a new browser window or tab (rather than navigating the current tab)."},"documentation":"The href for the link.","$id":"quarto-resource-document-links-link-external-newwindow"},"quarto-resource-document-links-link-external-filter":{"type":"string","description":"be a string","tags":{"formats":["$html-doc","revealjs"],"description":{"short":"A regular expression that can be used to determine whether a link is an internal link.","long":"A regular expression that can be used to determine whether a link is an internal link. For example, \nthe following will treat links that start with `http://www.quarto.org/custom` or `https://www.quarto.org/custom`\nas internal links (and others will be considered external):\n\n```\n^(?:http:|https:)\\/\\/www\\.quarto\\.org\\/custom\n```\n"}},"documentation":"The icon for the link.","$id":"quarto-resource-document-links-link-external-filter"},"quarto-resource-document-links-format-links":{"_internalId":4520,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4519,"type":"anyOf","anyOf":[{"_internalId":4517,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4507,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The title for the link."},"documentation":"The title for this link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for the link."},"documentation":"The icon for this link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for the link."},"documentation":"Controls the display of links to notebooks that provided embedded\ncontent or are created from documents."}},"patternProperties":{},"required":["text","href"]},{"_internalId":4516,"type":"object","description":"be an object","properties":{"format":{"type":"string","description":"be a string","tags":{"description":"The format that this link represents."},"documentation":"A list of links that should be displayed below the table of contents\nin an Other Links section."},"text":{"type":"string","description":"be a string","tags":{"description":"The title for this link."},"documentation":"A list of links that should be displayed below the table of contents\nin an Code Links section."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for this link."},"documentation":"Controls whether referenced notebooks are embedded in JATS output as\nsubarticles."}},"patternProperties":{},"required":["text","format"]}],"description":"be at least one of: a string, an object, an object"},{"_internalId":4518,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object, an object","items":{"_internalId":4517,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4507,"type":"object","description":"be an object","properties":{"text":{"type":"string","description":"be a string","tags":{"description":"The title for the link."},"documentation":"The title for this link."},"href":{"type":"string","description":"be a string","tags":{"description":"The href for the link."},"documentation":"The icon for this link."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for the link."},"documentation":"Controls the display of links to notebooks that provided embedded\ncontent or are created from documents."}},"patternProperties":{},"required":["text","href"]},{"_internalId":4516,"type":"object","description":"be an object","properties":{"format":{"type":"string","description":"be a string","tags":{"description":"The format that this link represents."},"documentation":"A list of links that should be displayed below the table of contents\nin an Other Links section."},"text":{"type":"string","description":"be a string","tags":{"description":"The title for this link."},"documentation":"A list of links that should be displayed below the table of contents\nin an Code Links section."},"icon":{"type":"string","description":"be a string","tags":{"description":"The icon for this link."},"documentation":"Controls whether referenced notebooks are embedded in JATS output as\nsubarticles."}},"patternProperties":{},"required":["text","format"]}],"description":"be at least one of: a string, an object, an object"}}],"description":"be at least one of: at least one of: a string, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: a string, an object, an object, an array of values, where each element must be at least one of: a string, an object, an object","tags":{"formats":["$html-doc"],"description":{"short":"Controls whether links to other rendered formats are displayed in HTML output.","long":"Controls whether links to other rendered formats are displayed in HTML output.\n\nPass `false` to disable the display of format lengths or pass a list of format names for which you'd\nlike links to be shown.\n"}},"documentation":"The format that this link represents.","$id":"quarto-resource-document-links-format-links"},"quarto-resource-document-links-notebook-links":{"_internalId":4528,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4527,"type":"enum","enum":["inline","global"],"description":"be one of: `inline`, `global`","completions":["inline","global"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `inline`, `global`","tags":{"formats":["$html-doc"],"description":{"short":"Controls the display of links to notebooks that provided embedded content or are created from documents.","long":"Controls the display of links to notebooks that provided embedded content or are created from documents.\n\nSpecify `false` to disable linking to source Notebooks. Specify `inline` to show links to source notebooks beneath the content they provide. \nSpecify `global` to show a set of global links to source notebooks.\n"}},"documentation":"Configures the HTML viewer for notebooks that provide embedded\ncontent.","$id":"quarto-resource-document-links-notebook-links"},"quarto-resource-document-links-other-links":{"_internalId":4537,"type":"anyOf","anyOf":[{"_internalId":4533,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":4536,"type":"ref","$ref":"other-links","description":"be other-links"}],"description":"be at least one of: 'false', other-links","tags":{"formats":["$html-doc"],"description":"A list of links that should be displayed below the table of contents in an `Other Links` section."},"documentation":"The style of document to render. Setting this to\nnotebook will create additional notebook style\naffordances.","$id":"quarto-resource-document-links-other-links"},"quarto-resource-document-links-code-links":{"_internalId":4546,"type":"anyOf","anyOf":[{"_internalId":4542,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true},{"_internalId":4545,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: 'false', code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of links that should be displayed below the table of contents in an `Code Links` section."},"documentation":"Options for controlling the display and behavior of Notebook\npreviews.","$id":"quarto-resource-document-links-code-links"},"quarto-resource-document-links-notebook-subarticles":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$jats-all"],"description":{"short":"Controls whether referenced notebooks are embedded in JATS output as subarticles.","long":"Controls the display of links to notebooks that provided embedded content or are created from documents.\n\nDefaults to `true` - specify `false` to disable embedding Notebook as subarticles with the JATS output.\n"}},"documentation":"Whether to show a back button in the notebook preview.","$id":"quarto-resource-document-links-notebook-subarticles"},"quarto-resource-document-links-notebook-view":{"_internalId":4565,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4564,"type":"anyOf","anyOf":[{"_internalId":4562,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4561,"type":"ref","$ref":"notebook-view-schema","description":"be notebook-view-schema"}],"description":"be at least one of: a string, notebook-view-schema"},{"_internalId":4563,"type":"array","description":"be an array of values, where each element must be at least one of: a string, notebook-view-schema","items":{"_internalId":4562,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4561,"type":"ref","$ref":"notebook-view-schema","description":"be notebook-view-schema"}],"description":"be at least one of: a string, notebook-view-schema"}}],"description":"be at least one of: at least one of: a string, notebook-view-schema, an array of values, where each element must be at least one of: a string, notebook-view-schema","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: a string, notebook-view-schema, an array of values, where each element must be at least one of: a string, notebook-view-schema","tags":{"formats":["$html-doc"],"description":"Configures the HTML viewer for notebooks that provide embedded content."},"documentation":"Include a canonical link tag in website pages","$id":"quarto-resource-document-links-notebook-view"},"quarto-resource-document-links-notebook-view-style":{"_internalId":4568,"type":"enum","enum":["document","notebook"],"description":"be one of: `document`, `notebook`","completions":["document","notebook"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"The style of document to render. Setting this to `notebook` will create additional notebook style affordances.","hidden":true},"documentation":"Automatically generate the contents of a page from a list of Quarto\ndocuments or other custom data.","$id":"quarto-resource-document-links-notebook-view-style"},"quarto-resource-document-links-notebook-preview-options":{"_internalId":4573,"type":"object","description":"be an object","properties":{"back":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a back button in the notebook preview."},"documentation":"The mermaid built-in theme to use."}},"patternProperties":{},"tags":{"formats":["$html-doc"],"description":"Options for controlling the display and behavior of Notebook previews."},"documentation":"Mermaid diagram options","$id":"quarto-resource-document-links-notebook-preview-options"},"quarto-resource-document-links-canonical-url":{"_internalId":4580,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"formats":["$html-doc"],"description":{"short":"Include a canonical link tag in website pages","long":"Include a canonical link tag in website pages. You may pass either `true` to \nautomatically generate a canonical link, or pass a canonical url that you'd like\nto have placed in the `href` attribute of the tag.\n\nCanonical links can only be generated for websites with a known `site-url`.\n"}},"documentation":"List of keywords to be included in the document metadata.","$id":"quarto-resource-document-links-canonical-url"},"quarto-resource-document-listing-listing":{"_internalId":4597,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":4596,"type":"anyOf","anyOf":[{"_internalId":4594,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4593,"type":"ref","$ref":"website-listing","description":"be website-listing"}],"description":"be at least one of: a string, website-listing"},{"_internalId":4595,"type":"array","description":"be an array of values, where each element must be at least one of: a string, website-listing","items":{"_internalId":4594,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4593,"type":"ref","$ref":"website-listing","description":"be website-listing"}],"description":"be at least one of: a string, website-listing"}}],"description":"be at least one of: at least one of: a string, website-listing, an array of values, where each element must be at least one of: a string, website-listing","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: at least one of: a string, website-listing, an array of values, where each element must be at least one of: a string, website-listing","tags":{"formats":["$html-doc"],"description":"Automatically generate the contents of a page from a list of Quarto documents or other custom data."},"documentation":"The document subject","$id":"quarto-resource-document-listing-listing"},"quarto-resource-document-mermaid-mermaid":{"_internalId":4603,"type":"object","description":"be an object","properties":{"theme":{"_internalId":4602,"type":"enum","enum":["default","dark","forest","neutral"],"description":"be one of: `default`, `dark`, `forest`, `neutral`","completions":["default","dark","forest","neutral"],"exhaustiveCompletions":true,"tags":{"description":"The mermaid built-in theme to use."},"documentation":"The document category."}},"patternProperties":{},"tags":{"formats":["$html-files"],"description":"Mermaid diagram options"},"documentation":"The document description. Some applications show this as\nComments metadata.","$id":"quarto-resource-document-mermaid-mermaid"},"quarto-resource-document-metadata-keywords":{"_internalId":4609,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4608,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$asciidoc-all","$html-files","$pdf-all","context","odt","$office-all"],"description":"List of keywords to be included in the document metadata."},"documentation":"The copyright for this document, if any.","$id":"quarto-resource-document-metadata-keywords"},"quarto-resource-document-metadata-subject":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$office-all","odt"],"description":"The document subject"},"documentation":"The year for this copyright","$id":"quarto-resource-document-metadata-subject"},"quarto-resource-document-metadata-description":{"type":"string","description":"be a string","tags":{"formats":["odt","$office-all"],"description":"The document description. Some applications show this as `Comments` metadata."},"documentation":"The holder of the copyright.","$id":"quarto-resource-document-metadata-description"},"quarto-resource-document-metadata-category":{"type":"string","description":"be a string","tags":{"formats":["$office-all"],"description":"The document category."},"documentation":"The holder of the copyright.","$id":"quarto-resource-document-metadata-category"},"quarto-resource-document-metadata-copyright":{"_internalId":4646,"type":"anyOf","anyOf":[{"_internalId":4643,"type":"object","description":"be an object","properties":{"year":{"_internalId":4630,"type":"anyOf","anyOf":[{"_internalId":4628,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number"},{"_internalId":4629,"type":"array","description":"be an array of values, where each element must be at least one of: a string, a number","items":{"_internalId":4628,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number"}}],"description":"be at least one of: at least one of: a string, a number, an array of values, where each element must be at least one of: a string, a number","tags":{"complete-from":["anyOf",0],"description":"The year for this copyright"},"documentation":"The text to display for the license."},"holder":{"_internalId":4636,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The holder of the copyright."},"documentation":"The type of the license."},{"_internalId":4635,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The holder of the copyright."},"documentation":"The type of the license."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"statement":{"_internalId":4642,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"The text to display for the license."},{"_internalId":4641,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"The text to display for the license."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string","tags":{"formats":["$html-doc","$jats-all"],"description":"The copyright for this document, if any."},"documentation":"The text to display for the license.","$id":"quarto-resource-document-metadata-copyright"},"quarto-resource-document-metadata-license":{"_internalId":4664,"type":"anyOf","anyOf":[{"_internalId":4662,"type":"anyOf","anyOf":[{"_internalId":4659,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of the license."},"documentation":"Sets the title metadata for the document"},"link":{"type":"string","description":"be a string","tags":{"description":"A URL to the license."},"documentation":"Specify STRING as a prefix at the beginning of the title that appears\nin the HTML header (but not in the title as it appears at the beginning\nof the body)"},"text":{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"Sets the description metadata for the document"}},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"},{"_internalId":4663,"type":"array","description":"be an array of values, where each element must be at least one of: an object, a string","items":{"_internalId":4662,"type":"anyOf","anyOf":[{"_internalId":4659,"type":"object","description":"be an object","properties":{"type":{"type":"string","description":"be a string","tags":{"description":"The type of the license."},"documentation":"Sets the title metadata for the document"},"link":{"type":"string","description":"be a string","tags":{"description":"A URL to the license."},"documentation":"Specify STRING as a prefix at the beginning of the title that appears\nin the HTML header (but not in the title as it appears at the beginning\nof the body)"},"text":{"type":"string","description":"be a string","tags":{"description":"The text to display for the license."},"documentation":"Sets the description metadata for the document"}},"patternProperties":{}},{"type":"string","description":"be a string"}],"description":"be at least one of: an object, a string"}}],"description":"be at least one of: at least one of: an object, a string, an array of values, where each element must be at least one of: an object, a string","tags":{"complete-from":["anyOf",0],"formats":["$html-doc","$jats-all"],"description":{"short":"The License for this document, if any. (e.g. `CC BY`)","long":"The license for this document, if any. \n\nCreative Commons licenses `CC BY`, `CC BY-SA`, `CC BY-ND`, `CC BY-NC`, `CC BY-NC-SA`, and `CC BY-NC-ND` will automatically generate a license link\nin the document appendix. Other license text will be placed in the appendix verbatim.\n"}},"documentation":"The type of the license.","$id":"quarto-resource-document-metadata-license"},"quarto-resource-document-metadata-title-meta":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"Sets the title metadata for the document"},"documentation":"Sets the author metadata for the document","$id":"quarto-resource-document-metadata-title-meta"},"quarto-resource-document-metadata-pagetitle":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Sets the title metadata for the document"},"documentation":"Sets the date metadata for the document","$id":"quarto-resource-document-metadata-pagetitle"},"quarto-resource-document-metadata-title-prefix":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Specify STRING as a prefix at the beginning of the title that appears in \nthe HTML header (but not in the title as it appears at the beginning of the body)\n"},"documentation":"Number section headings","$id":"quarto-resource-document-metadata-title-prefix"},"quarto-resource-document-metadata-description-meta":{"type":"string","description":"be a string","tags":{"formats":["$html-files"],"description":"Sets the description metadata for the document"},"documentation":"The depth to which sections should be numbered.","$id":"quarto-resource-document-metadata-description-meta"},"quarto-resource-document-metadata-author-meta":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","$html-files"],"description":"Sets the author metadata for the document"},"documentation":"The numbering depth for sections. (Use number-depth\ninstead).","$id":"quarto-resource-document-metadata-author-meta"},"quarto-resource-document-metadata-date-meta":{"type":"string","description":"be a string","tags":{"formats":["$html-all","$pdf-all"],"description":"Sets the date metadata for the document"},"documentation":"Offset for section headings in output (offsets are 0 by default)","$id":"quarto-resource-document-metadata-date-meta"},"quarto-resource-document-numbering-number-sections":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"Schema to use for numbering sections, e.g. 1.A.1","tags":{"description":{"short":"Number section headings","long":"Number section headings rendered output. By default, sections are not numbered.\nSections with class `.unnumbered` will never be numbered, even if `number-sections`\nis specified.\n"}},"$id":"quarto-resource-document-numbering-number-sections"},"quarto-resource-document-numbering-number-depth":{"type":"number","description":"be a number","tags":{"formats":["$html-all","$pdf-all","docx"],"description":{"short":"The depth to which sections should be numbered.","long":"By default, all headings in your document create a \nnumbered section. You customize numbering depth using \nthe `number-depth` option. \n\nFor example, to only number sections immediately below \nthe chapter level, use this:\n\n```yaml \nnumber-depth: 1\n```\n"}},"documentation":"Shift heading levels by a positive or negative integer. For example,\nwith shift-heading-level-by: -1, level 2 headings become\nlevel 1 headings.","$id":"quarto-resource-document-numbering-number-depth"},"quarto-resource-document-numbering-secnumdepth":{"type":"number","description":"be a number","tags":{"formats":["$pdf-all"],"description":"The numbering depth for sections. (Use `number-depth` instead).","hidden":true},"documentation":"Sets the page numbering style and location for the document.","$id":"quarto-resource-document-numbering-secnumdepth"},"quarto-resource-document-numbering-number-offset":{"_internalId":4688,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":4687,"type":"array","description":"be an array of values, where each element must be a number","items":{"type":"number","description":"be a number"}}],"description":"be at least one of: a number, an array of values, where each element must be a number","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":{"short":"Offset for section headings in output (offsets are 0 by default)","long":"Offset for section headings in output (offsets are 0 by default)\nThe first number is added to the section number for\ntop-level headings, the second for second-level headings, and so on.\nSo, for example, if you want the first top-level heading in your\ndocument to be numbered \"6\", specify `number-offset: 5`. If your\ndocument starts with a level-2 heading which you want to be numbered\n\"1.5\", specify `number-offset: [1,4]`. Implies `number-sections`\n"}},"documentation":"Treat top-level headings as the given division type\n(default, section, chapter, or\npart). The hierarchy order is part, chapter, then section;\nall headings are shifted such that the top-level heading becomes the\nspecified type.","$id":"quarto-resource-document-numbering-number-offset"},"quarto-resource-document-numbering-section-numbering":{"type":"string","description":"be a string","tags":{"formats":["typst"],"description":"Schema to use for numbering sections, e.g. `1.A.1`"},"documentation":"If true, force the presence of the OJS runtime. If\nfalse, force the absence instead. If unset, the OJS runtime\nis included only if OJS cells are present in the document.","$id":"quarto-resource-document-numbering-section-numbering"},"quarto-resource-document-numbering-shift-heading-level-by":{"type":"number","description":"be a number","documentation":"Use the specified file as a style reference in producing a docx,\npptx, or odt file.","tags":{"description":{"short":"Shift heading levels by a positive or negative integer. For example, with \n`shift-heading-level-by: -1`, level 2 headings become level 1 headings.\n","long":"Shift heading levels by a positive or negative integer.\nFor example, with `shift-heading-level-by: -1`, level 2\nheadings become level 1 headings, and level 3 headings\nbecome level 2 headings. Headings cannot have a level\nless than 1, so a heading that would be shifted below level 1\nbecomes a regular paragraph. Exception: with a shift of -N,\na level-N heading at the beginning of the document\nreplaces the metadata title.\n"}},"$id":"quarto-resource-document-numbering-shift-heading-level-by"},"quarto-resource-document-numbering-pagenumbering":{"_internalId":4698,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4697,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"Sets the page numbering style and location for the document.","long":"Sets the page numbering style and location for the document using the\n`\\setuppagenumbering` command. \n\nSee [ConTeXt Page Numbering](https://wiki.contextgarden.net/Command/setuppagenumbering) \nfor additional information.\n"}},"documentation":"Branding information to use for this document. If a string, the path\nto a brand file. If false, don’t use branding on this document. If an\nobject, an inline brand definition, or an object with light and dark\nbrand paths or definitions.","$id":"quarto-resource-document-numbering-pagenumbering"},"quarto-resource-document-numbering-top-level-division":{"_internalId":4701,"type":"enum","enum":["default","section","chapter","part"],"description":"be one of: `default`, `section`, `chapter`, `part`","completions":["default","section","chapter","part"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","context","$docbook-all","tei"],"description":{"short":"Treat top-level headings as the given division type (`default`, `section`, `chapter`, or `part`). The hierarchy\norder is part, chapter, then section; all headings are shifted such \nthat the top-level heading becomes the specified type.\n","long":"Treat top-level headings as the given division type (`default`, `section`, `chapter`, or `part`). The hierarchy\norder is part, chapter, then section; all headings are shifted such \nthat the top-level heading becomes the specified type. \n\nThe default behavior is to determine the\nbest division type via heuristics: unless other conditions\napply, `section` is chosen. When the `documentclass`\nvariable is set to `report`, `book`, or `memoir` (unless the\n`article` option is specified), `chapter` is implied as the\nsetting for this option. If `beamer` is the output format,\nspecifying either `chapter` or `part` will cause top-level\nheadings to become `\\part{..}`, while second-level headings\nremain as their default type.\n"}},"documentation":"Theme name, theme scss file, or a mix of both.","$id":"quarto-resource-document-numbering-top-level-division"},"quarto-resource-document-ojs-ojs-engine":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"If `true`, force the presence of the OJS runtime. If `false`, force the absence instead.\nIf unset, the OJS runtime is included only if OJS cells are present in the document.\n"},"documentation":"The light theme name, theme scss file, or a mix of both.","$id":"quarto-resource-document-ojs-ojs-engine"},"quarto-resource-document-options-reference-doc":{"type":"string","description":"be a string","tags":{"formats":["$office-all","odt"],"description":"Use the specified file as a style reference in producing a docx, \npptx, or odt file.\n"},"documentation":"The light theme name, theme scss file, or a mix of both.","$id":"quarto-resource-document-options-reference-doc"},"quarto-resource-document-options-brand":{"_internalId":4708,"type":"ref","$ref":"brand-path-bool-light-dark","description":"be brand-path-bool-light-dark","documentation":"The dark theme name, theme scss file, or a mix of both.","tags":{"description":"Branding information to use for this document. If a string, the path to a brand file.\nIf false, don't use branding on this document. If an object, an inline brand\ndefinition, or an object with light and dark brand paths or definitions.\n"},"$id":"quarto-resource-document-options-brand"},"quarto-resource-document-options-theme":{"_internalId":4733,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4717,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},{"_internalId":4732,"type":"object","description":"be an object","properties":{"light":{"_internalId":4725,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The light theme name, theme scss file, or a mix of both."},"documentation":"Disables the built in html features like theming, anchor sections,\ncode block behavior, and more."},{"_internalId":4724,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The light theme name, theme scss file, or a mix of both."},"documentation":"Disables the built in html features like theming, anchor sections,\ncode block behavior, and more."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"dark":{"_internalId":4731,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"The dark theme name, theme scss file, or a mix of both."},"documentation":"One or more CSS style sheets."},{"_internalId":4730,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"The dark theme name, theme scss file, or a mix of both."},"documentation":"One or more CSS style sheets."}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}}},"patternProperties":{},"closed":true}],"description":"be at least one of: a string, an array of values, where each element must be a string, an object","tags":{"formats":["$html-doc","revealjs","beamer","dashboard"],"description":"Theme name, theme scss file, or a mix of both."},"documentation":"The dark theme name, theme scss file, or a mix of both.","$id":"quarto-resource-document-options-theme"},"quarto-resource-document-options-body-classes":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"Classes to apply to the body of the document.\n"},"documentation":"Enables hover over a section title to see an anchor link.","$id":"quarto-resource-document-options-body-classes"},"quarto-resource-document-options-minimal":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Disables the built in html features like theming, anchor sections, code block behavior, and more."},"documentation":"Enables tabsets to present content.","$id":"quarto-resource-document-options-minimal"},"quarto-resource-document-options-document-css":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables inclusion of Pandoc default CSS for this document.","hidden":true},"documentation":"Enables smooth scrolling within the page.","$id":"quarto-resource-document-options-document-css"},"quarto-resource-document-options-css":{"_internalId":4745,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4744,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$html-all"],"description":"One or more CSS style sheets."},"documentation":"Enables setting dark mode based on the\nprefers-color-scheme media query.","$id":"quarto-resource-document-options-css"},"quarto-resource-document-options-anchor-sections":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Enables hover over a section title to see an anchor link."},"documentation":"Method use to render math in HTML output","$id":"quarto-resource-document-options-anchor-sections"},"quarto-resource-document-options-tabsets":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Enables tabsets to present content."},"documentation":"Wrap sections in <section> tags and attach\nidentifiers to the enclosing <section> rather than\nthe heading itself.","$id":"quarto-resource-document-options-tabsets"},"quarto-resource-document-options-smooth-scroll":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Enables smooth scrolling within the page."},"documentation":"Specify a prefix to be added to all identifiers and internal\nlinks.","$id":"quarto-resource-document-options-smooth-scroll"},"quarto-resource-document-options-respect-user-color-scheme":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Enables setting dark mode based on the `prefers-color-scheme` media query.","long":"If set, Quarto reads the `prefers-color-scheme` media query to determine whether to show\nthe user a dark or light page. Otherwise the author-preferred color scheme is shown.\n"}},"documentation":"Method for obfuscating mailto: links in HTML documents.","$id":"quarto-resource-document-options-respect-user-color-scheme"},"quarto-resource-document-options-html-math-method":{"_internalId":4767,"type":"anyOf","anyOf":[{"_internalId":4758,"type":"ref","$ref":"math-methods","description":"be math-methods"},{"_internalId":4766,"type":"object","description":"be an object","properties":{"method":{"_internalId":4763,"type":"ref","$ref":"math-methods","description":"be math-methods"},"url":{"type":"string","description":"be a string"}},"patternProperties":{},"required":["method"]}],"description":"be at least one of: math-methods, an object","tags":{"formats":["$html-doc","$epub-all","gfm"],"description":{"short":"Method use to render math in HTML output","long":"Method use to render math in HTML output (`plain`, `webtex`, `gladtex`, `mathml`, `mathjax`, `katex`).\n\nSee the Pandoc documentation on [Math Rendering in HTML](https://pandoc.org/MANUAL.html#math-rendering-in-html)\nfor additional details.\n"}},"documentation":"Use <q> tags for quotes in HTML.","$id":"quarto-resource-document-options-html-math-method"},"quarto-resource-document-options-section-divs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Wrap sections in `
` tags and attach identifiers to the enclosing `
`\nrather than the heading itself.\n"},"documentation":"Use the specified engine when producing PDF output.","$id":"quarto-resource-document-options-section-divs"},"quarto-resource-document-options-identifier-prefix":{"type":"string","description":"be a string","tags":{"formats":["$html-files","$docbook-all","$markdown-all","haddock"],"description":{"short":"Specify a prefix to be added to all identifiers and internal links.","long":"Specify a prefix to be added to all identifiers and internal links in HTML and\nDocBook output, and to footnote numbers in Markdown and Haddock output. \nThis is useful for preventing duplicate identifiers when generating fragments\nto be included in other pages.\n"}},"documentation":"Use the given string as a command-line argument to the\npdf-engine.","$id":"quarto-resource-document-options-identifier-prefix"},"quarto-resource-document-options-email-obfuscation":{"_internalId":4774,"type":"enum","enum":["none","references","javascript"],"description":"be one of: `none`, `references`, `javascript`","completions":["none","references","javascript"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Method for obfuscating mailto: links in HTML documents.","long":"Specify a method for obfuscating `mailto:` links in HTML documents.\n\n- `javascript`: Obfuscate links using JavaScript.\n- `references`: Obfuscate links by printing their letters as decimal or hexadecimal character references.\n- `none` (default): Do not obfuscate links.\n"}},"documentation":"Pass multiple command-line arguments to the\npdf-engine.","$id":"quarto-resource-document-options-email-obfuscation"},"quarto-resource-document-options-html-q-tags":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-all"],"description":"Use `` tags for quotes in HTML."},"documentation":"Whether to produce a Beamer article from this presentation.","$id":"quarto-resource-document-options-html-q-tags"},"quarto-resource-document-options-pdf-engine":{"_internalId":4779,"type":"enum","enum":["pdflatex","lualatex","xelatex","latexmk","tectonic","wkhtmltopdf","weasyprint","pagedjs-cli","prince","context","pdfroff","typst"],"description":"be one of: `pdflatex`, `lualatex`, `xelatex`, `latexmk`, `tectonic`, `wkhtmltopdf`, `weasyprint`, `pagedjs-cli`, `prince`, `context`, `pdfroff`, `typst`","completions":["pdflatex","lualatex","xelatex","latexmk","tectonic","wkhtmltopdf","weasyprint","pagedjs-cli","prince","context","pdfroff","typst"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","ms","context"],"description":{"short":"Use the specified engine when producing PDF output.","long":"Use the specified engine when producing PDF output. If the engine is not\nin your PATH, the full path of the engine may be specified here. If this\noption is not specified, Quarto uses the following defaults\ndepending on the output format in use:\n\n- `latex`: `lualatex` (other options: `pdflatex`, `xelatex`,\n `tectonic`, `latexmk`)\n- `context`: `context`\n- `html`: `wkhtmltopdf` (other options: `prince`, `weasyprint`, `pagedjs-cli`;\n see [print-css.rocks](https://print-css.rocks) for a good\n introduction to PDF generation from HTML/CSS.)\n- `ms`: `pdfroff`\n- `typst`: `typst`\n"}},"documentation":"Add an extra Beamer option using \\setbeameroption{}.","$id":"quarto-resource-document-options-pdf-engine"},"quarto-resource-document-options-pdf-engine-opt":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all","ms","context"],"description":{"short":"Use the given string as a command-line argument to the `pdf-engine`.","long":"Use the given string as a command-line argument to the pdf-engine.\nFor example, to use a persistent directory foo for latexmk’s auxiliary\nfiles, use `pdf-engine-opt: -outdir=foo`. Note that no check for \nduplicate options is done.\n"}},"documentation":"The aspect ratio for this presentation.","$id":"quarto-resource-document-options-pdf-engine-opt"},"quarto-resource-document-options-pdf-engine-opts":{"_internalId":4786,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$pdf-all","ms","context"],"description":{"short":"Pass multiple command-line arguments to the `pdf-engine`.","long":"Use the given strings passed as a array as command-line arguments to the pdf-engine.\nThis is an alternative to `pdf-engine-opt` for passing multiple options.\n"}},"documentation":"The logo image.","$id":"quarto-resource-document-options-pdf-engine-opts"},"quarto-resource-document-options-beamerarticle":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf"],"description":"Whether to produce a Beamer article from this presentation."},"documentation":"The image for the title slide.","$id":"quarto-resource-document-options-beamerarticle"},"quarto-resource-document-options-beameroption":{"_internalId":4794,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4793,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"Add an extra Beamer option using `\\setbeameroption{}`."},"documentation":"Controls navigation symbols for the presentation (empty,\nframe, vertical, or\nhorizontal)","$id":"quarto-resource-document-options-beameroption"},"quarto-resource-document-options-aspectratio":{"_internalId":4797,"type":"enum","enum":[43,169,1610,149,141,54,32],"description":"be one of: `43`, `169`, `1610`, `149`, `141`, `54`, `32`","completions":["43","169","1610","149","141","54","32"],"exhaustiveCompletions":true,"tags":{"formats":["beamer"],"description":"The aspect ratio for this presentation."},"documentation":"Whether to enable title pages for new sections.","$id":"quarto-resource-document-options-aspectratio"},"quarto-resource-document-options-logo":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The logo image."},"documentation":"The Beamer color theme for this presentation, passed to\n\\usecolortheme.","$id":"quarto-resource-document-options-logo"},"quarto-resource-document-options-titlegraphic":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The image for the title slide."},"documentation":"The Beamer color theme options for this presentation, passed to\n\\usecolortheme.","$id":"quarto-resource-document-options-titlegraphic"},"quarto-resource-document-options-navigation":{"_internalId":4804,"type":"enum","enum":["empty","frame","vertical","horizontal"],"description":"be one of: `empty`, `frame`, `vertical`, `horizontal`","completions":["empty","frame","vertical","horizontal"],"exhaustiveCompletions":true,"tags":{"formats":["beamer"],"description":"Controls navigation symbols for the presentation (`empty`, `frame`, `vertical`, or `horizontal`)"},"documentation":"The Beamer font theme for this presentation, passed to\n\\usefonttheme.","$id":"quarto-resource-document-options-navigation"},"quarto-resource-document-options-section-titles":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["beamer"],"description":"Whether to enable title pages for new sections."},"documentation":"The Beamer font theme options for this presentation, passed to\n\\usefonttheme.","$id":"quarto-resource-document-options-section-titles"},"quarto-resource-document-options-colortheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer color theme for this presentation, passed to `\\usecolortheme`."},"documentation":"The Beamer inner theme for this presentation, passed to\n\\useinnertheme.","$id":"quarto-resource-document-options-colortheme"},"quarto-resource-document-options-colorthemeoptions":{"_internalId":4814,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4813,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer color theme options for this presentation, passed to `\\usecolortheme`."},"documentation":"The Beamer inner theme options for this presentation, passed to\n\\useinnertheme.","$id":"quarto-resource-document-options-colorthemeoptions"},"quarto-resource-document-options-fonttheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer font theme for this presentation, passed to `\\usefonttheme`."},"documentation":"The Beamer outer theme for this presentation, passed to\n\\useoutertheme.","$id":"quarto-resource-document-options-fonttheme"},"quarto-resource-document-options-fontthemeoptions":{"_internalId":4822,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4821,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer font theme options for this presentation, passed to `\\usefonttheme`."},"documentation":"The Beamer outer theme options for this presentation, passed to\n\\useoutertheme.","$id":"quarto-resource-document-options-fontthemeoptions"},"quarto-resource-document-options-innertheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer inner theme for this presentation, passed to `\\useinnertheme`."},"documentation":"Options passed to LaTeX Beamer themes inside\n\\usetheme.","$id":"quarto-resource-document-options-innertheme"},"quarto-resource-document-options-innerthemeoptions":{"_internalId":4830,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4829,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer inner theme options for this presentation, passed to `\\useinnertheme`."},"documentation":"The section number in man pages.","$id":"quarto-resource-document-options-innerthemeoptions"},"quarto-resource-document-options-outertheme":{"type":"string","description":"be a string","tags":{"formats":["beamer"],"description":"The Beamer outer theme for this presentation, passed to `\\useoutertheme`."},"documentation":"Enable and disable extensions for markdown output (e.g. “+emoji”)","$id":"quarto-resource-document-options-outertheme"},"quarto-resource-document-options-outerthemeoptions":{"_internalId":4838,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4837,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"The Beamer outer theme options for this presentation, passed to `\\useoutertheme`."},"documentation":"Specify whether to use atx (#-prefixed) or\nsetext (underlined) headings for level 1 and 2 headings\n(atx or setext).","$id":"quarto-resource-document-options-outerthemeoptions"},"quarto-resource-document-options-themeoptions":{"_internalId":4844,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4843,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["beamer"],"description":"Options passed to LaTeX Beamer themes inside `\\usetheme`."},"documentation":"Determines which ipynb cell output formats are rendered\n(none, all, or best).","$id":"quarto-resource-document-options-themeoptions"},"quarto-resource-document-options-section":{"type":"number","description":"be a number","tags":{"formats":["man"],"description":"The section number in man pages."},"documentation":"semver version range for required quarto version","$id":"quarto-resource-document-options-section"},"quarto-resource-document-options-variant":{"type":"string","description":"be a string","tags":{"formats":["$markdown-all"],"description":"Enable and disable extensions for markdown output (e.g. \"+emoji\")\n"},"documentation":"The mode to use when previewing this document.","$id":"quarto-resource-document-options-variant"},"quarto-resource-document-options-markdown-headings":{"_internalId":4851,"type":"enum","enum":["setext","atx"],"description":"be one of: `setext`, `atx`","completions":["setext","atx"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all","ipynb"],"description":"Specify whether to use `atx` (`#`-prefixed) or\n`setext` (underlined) headings for level 1 and 2\nheadings (`atx` or `setext`).\n"},"documentation":"Adds the necessary setup to the document preamble to generate PDF/A\nof the type specified.","$id":"quarto-resource-document-options-markdown-headings"},"quarto-resource-document-options-ipynb-output":{"_internalId":4854,"type":"enum","enum":["none","all","best"],"description":"be one of: `none`, `all`, `best`","completions":["none","all","best"],"exhaustiveCompletions":true,"tags":{"formats":["ipynb"],"description":{"short":"Determines which ipynb cell output formats are rendered (`none`, `all`, or `best`).","long":"Determines which ipynb cell output formats are rendered.\n\n- `all`: Preserve all of the data formats included in the original.\n- `none`: Omit the contents of data cells.\n- `best` (default): Instruct pandoc to try to pick the\n richest data block in each output cell that is compatible\n with the output format.\n"}},"documentation":"When used in conjunction with pdfa, specifies the ICC\nprofile to use in the PDF, e.g. default.cmyk.","$id":"quarto-resource-document-options-ipynb-output"},"quarto-resource-document-options-quarto-required":{"type":"string","description":"be a string","documentation":"When used in conjunction with pdfa, specifies the output\nintent for the colors.","tags":{"description":{"short":"semver version range for required quarto version","long":"A semver version range describing the supported quarto versions for this document\nor project.\n\nExamples:\n\n- `>= 1.1.0`: Require at least quarto version 1.1\n- `1.*`: Require any quarto versions whose major version number is 1\n"}},"$id":"quarto-resource-document-options-quarto-required"},"quarto-resource-document-options-preview-mode":{"type":"string","description":"be a string","tags":{"formats":["$jats-all","gfm"],"description":{"short":"The mode to use when previewing this document.","long":"The mode to use when previewing this document. To disable any special\npreviewing features, pass `raw` as the preview-mode.\n"}},"documentation":"Document bibliography (BibTeX or CSL). May be a single file or a list\nof files","$id":"quarto-resource-document-options-preview-mode"},"quarto-resource-document-pdfa-pdfa":{"_internalId":4865,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"type":"string","description":"be a string"}],"description":"be at least one of: `true` or `false`, a string","tags":{"formats":["context"],"description":{"short":"Adds the necessary setup to the document preamble to generate PDF/A of the type specified.","long":"Adds the necessary setup to the document preamble to generate PDF/A of the type specified.\n\nIf the value is set to `true`, `1b:2005` will be used as default.\n\nTo successfully generate PDF/A the required\nICC color profiles have to be available and the content and all\nincluded files (such as images) have to be standard conforming.\nThe ICC profiles and output intent may be specified using the\nvariables `pdfaiccprofile` and `pdfaintent`. See also [ConTeXt\nPDFA](https://wiki.contextgarden.net/PDF/A) for more details.\n"}},"documentation":"Citation Style Language file to use for formatting references.","$id":"quarto-resource-document-pdfa-pdfa"},"quarto-resource-document-pdfa-pdfaiccprofile":{"_internalId":4871,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4870,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["context"],"description":{"short":"When used in conjunction with `pdfa`, specifies the ICC profile to use \nin the PDF, e.g. `default.cmyk`.\n","long":"When used in conjunction with `pdfa`, specifies the ICC profile to use \nin the PDF, e.g. `default.cmyk`.\n\nIf left unspecified, `sRGB.icc` is used as default. May be repeated to \ninclude multiple profiles. Note that the profiles have to be available \non the system. They can be obtained from \n[ConTeXt ICC Profiles](https://wiki.contextgarden.net/PDFX#ICC_profiles).\n"}},"documentation":"Enables a hover popup for citation that shows the reference\ninformation.","$id":"quarto-resource-document-pdfa-pdfaiccprofile"},"quarto-resource-document-pdfa-pdfaintent":{"type":"string","description":"be a string","tags":{"formats":["context"],"description":{"short":"When used in conjunction with `pdfa`, specifies the output intent for the colors.","long":"When used in conjunction with `pdfa`, specifies the output intent for\nthe colors, for example `ISO coated v2 300\\letterpercent\\space (ECI)`\n\nIf left unspecified, `sRGB IEC61966-2.1` is used as default.\n"}},"documentation":"Where citation information should be displayed (document\nor margin)","$id":"quarto-resource-document-pdfa-pdfaintent"},"quarto-resource-document-references-bibliography":{"_internalId":4879,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4878,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Document bibliography (BibTeX or CSL). May be a single file or a list of files\n"},"documentation":"Method used to format citations (citeproc,\nnatbib, or biblatex).","$id":"quarto-resource-document-references-bibliography"},"quarto-resource-document-references-csl":{"type":"string","description":"be a string","documentation":"Turn on built-in citation processing","tags":{"description":"Citation Style Language file to use for formatting references."},"$id":"quarto-resource-document-references-csl"},"quarto-resource-document-references-citations-hover":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":"Enables a hover popup for citation that shows the reference information."},"documentation":"A list of options for BibLaTeX.","$id":"quarto-resource-document-references-citations-hover"},"quarto-resource-document-references-citation-location":{"_internalId":4886,"type":"enum","enum":["document","margin"],"description":"be one of: `document`, `margin`","completions":["document","margin"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Where citation information should be displayed (`document` or `margin`)"},"documentation":"One or more options to provide for natbib when\ngenerating a bibliography.","$id":"quarto-resource-document-references-citation-location"},"quarto-resource-document-references-cite-method":{"_internalId":4889,"type":"enum","enum":["citeproc","natbib","biblatex"],"description":"be one of: `citeproc`, `natbib`, `biblatex`","completions":["citeproc","natbib","biblatex"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Method used to format citations (`citeproc`, `natbib`, or `biblatex`).\n"},"documentation":"The bibliography style to use\n(e.g. \\bibliographystyle{dinat}) when using\nnatbib or biblatex.","$id":"quarto-resource-document-references-cite-method"},"quarto-resource-document-references-citeproc":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"documentation":"The bibliography style to use\n(e.g. #set bibliography(style: \"apa\")) when using typst\nbuilt-in citation system (e.g when not citeproc: true).","tags":{"description":{"short":"Turn on built-in citation processing","long":"Turn on built-in citation processing. To use this feature, you will need\nto have a document containing citations and a source of bibliographic data: \neither an external bibliography file or a list of `references` in the \ndocument's YAML metadata. You can optionally also include a `csl` \ncitation style file.\n"}},"$id":"quarto-resource-document-references-citeproc"},"quarto-resource-document-references-biblatexoptions":{"_internalId":4897,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4896,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":"A list of options for BibLaTeX."},"documentation":"The bibliography title to use when using natbib or\nbiblatex.","$id":"quarto-resource-document-references-biblatexoptions"},"quarto-resource-document-references-natbiboptions":{"_internalId":4903,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4902,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["$pdf-all"],"description":"One or more options to provide for `natbib` when generating a bibliography."},"documentation":"Controls whether to output bibliography configuration for\nnatbib or biblatex when cite method is not\nciteproc.","$id":"quarto-resource-document-references-natbiboptions"},"quarto-resource-document-references-biblio-style":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"The bibliography style to use (e.g. `\\bibliographystyle{dinat}`) when using `natbib` or `biblatex`."},"documentation":"JSON file containing abbreviations of journals that should be used in\nformatted bibliographies.","$id":"quarto-resource-document-references-biblio-style"},"quarto-resource-document-references-bibliographystyle":{"type":"string","description":"be a string","tags":{"formats":["typst"],"description":"The bibliography style to use (e.g. `#set bibliography(style: \"apa\")`) when using typst built-in citation system (e.g when not `citeproc: true`)."},"documentation":"If true, citations will be hyperlinked to the corresponding\nbibliography entries (for author-date and numerical styles only).\nDefaults to false.","$id":"quarto-resource-document-references-bibliographystyle"},"quarto-resource-document-references-biblio-title":{"type":"string","description":"be a string","tags":{"formats":["$pdf-all"],"description":"The bibliography title to use when using `natbib` or `biblatex`."},"documentation":"If true, DOIs, PMCIDs, PMID, and URLs in bibliographies will be\nrendered as hyperlinks.","$id":"quarto-resource-document-references-biblio-title"},"quarto-resource-document-references-biblio-config":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Controls whether to output bibliography configuration for `natbib` or `biblatex` when cite method is not `citeproc`."},"documentation":"Places footnote references or superscripted numerical citations after\nfollowing punctuation.","$id":"quarto-resource-document-references-biblio-config"},"quarto-resource-document-references-citation-abbreviations":{"type":"string","description":"be a string","documentation":"Format to read from","tags":{"description":{"short":"JSON file containing abbreviations of journals that should be used in formatted bibliographies.","long":"JSON file containing abbreviations of journals that should be\nused in formatted bibliographies when `form=\"short\"` is\nspecified. The format of the file can be illustrated with an\nexample:\n\n```json\n{ \"default\": {\n \"container-title\": {\n \"Lloyd's Law Reports\": \"Lloyd's Rep\",\n \"Estates Gazette\": \"EG\",\n \"Scots Law Times\": \"SLT\"\n }\n }\n}\n```\n"}},"$id":"quarto-resource-document-references-citation-abbreviations"},"quarto-resource-document-references-link-citations":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","docx"],"description":"If true, citations will be hyperlinked to the corresponding bibliography entries (for author-date and numerical styles only). Defaults to false."},"documentation":"Format to read from","$id":"quarto-resource-document-references-link-citations"},"quarto-resource-document-references-link-bibliography":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","docx"],"description":{"short":"If true, DOIs, PMCIDs, PMID, and URLs in bibliographies will be rendered as hyperlinks.","long":"If true, DOIs, PMCIDs, PMID, and URLs in bibliographies will be rendered as hyperlinks. (If an entry contains a DOI, PMCID, PMID, or URL, but none of \nthese fields are rendered by the style, then the title, or in the absence of a title the whole entry, will be hyperlinked.) Defaults to true.\n"}},"documentation":"Output file to write to","$id":"quarto-resource-document-references-link-bibliography"},"quarto-resource-document-references-notes-after-punctuation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all","docx"],"description":{"short":"Places footnote references or superscripted numerical citations after following punctuation.","long":"If true (the default for note styles), Quarto (via Pandoc) will put footnote references or superscripted numerical citations after \nfollowing punctuation. For example, if the source contains `blah blah [@jones99]`., the result will look like `blah blah.[^1]`, with \nthe note moved after the period and the space collapsed. \n\nIf false, the space will still be collapsed, but the footnote will not be moved after the punctuation. The option may also be used \nin numerical styles that use superscripts for citation numbers (but for these styles the default is not to move the citation).\n"}},"documentation":"Extension to use for generated output file","$id":"quarto-resource-document-references-notes-after-punctuation"},"quarto-resource-document-render-from":{"type":"string","description":"be a string","documentation":"Use the specified file as a custom template for the generated\ndocument.","tags":{"description":{"short":"Format to read from","long":"Format to read from. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. markdown+emoji).\n"}},"$id":"quarto-resource-document-render-from"},"quarto-resource-document-render-reader":{"type":"string","description":"be a string","documentation":"Include the specified files as partials accessible to the template\nfor the generated content.","tags":{"description":{"short":"Format to read from","long":"Format to read from. Extensions can be individually enabled or disabled by appending +EXTENSION or -EXTENSION to the format name (e.g. markdown+emoji).\n"}},"$id":"quarto-resource-document-render-reader"},"quarto-resource-document-render-output-file":{"_internalId":4924,"type":"ref","$ref":"pandoc-format-output-file","description":"be pandoc-format-output-file","documentation":"Produce a standalone HTML file with no external dependencies","tags":{"description":"Output file to write to"},"$id":"quarto-resource-document-render-output-file"},"quarto-resource-document-render-output-ext":{"type":"string","description":"be a string","documentation":"Produce a standalone HTML file with no external dependencies","tags":{"description":"Extension to use for generated output file\n"},"$id":"quarto-resource-document-render-output-ext"},"quarto-resource-document-render-template":{"type":"string","description":"be a string","tags":{"formats":["!$office-all","!ipynb"],"description":"Use the specified file as a custom template for the generated document.\n"},"documentation":"Embed math libraries (e.g. MathJax) within\nself-contained output.","$id":"quarto-resource-document-render-template"},"quarto-resource-document-render-template-partials":{"_internalId":4934,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":4933,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"formats":["!$office-all","!ipynb"],"description":"Include the specified files as partials accessible to the template for the generated content.\n"},"documentation":"Specify executables or Lua scripts to be used as a filter\ntransforming the pandoc AST after the input is parsed and before the\noutput is written.","$id":"quarto-resource-document-render-template-partials"},"quarto-resource-document-render-embed-resources":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Produce a standalone HTML file with no external dependencies","long":"Produce a standalone HTML file with no external dependencies, using\n`data:` URIs to incorporate the contents of linked scripts, stylesheets,\nimages, and videos. The resulting file should be \"self-contained,\" in the\nsense that it needs no external files and no net access to be displayed\nproperly by a browser. This option works only with HTML output formats,\nincluding `html4`, `html5`, `html+lhs`, `html5+lhs`, `s5`, `slidy`,\n`slideous`, `dzslides`, and `revealjs`. Scripts, images, and stylesheets at\nabsolute URLs will be downloaded; those at relative URLs will be sought\nrelative to the working directory (if the first source\nfile is local) or relative to the base URL (if the first source\nfile is remote). Elements with the attribute\n`data-external=\"1\"` will be left alone; the documents they\nlink to will not be incorporated in the document.\nLimitation: resources that are loaded dynamically through\nJavaScript cannot be incorporated; as a result, some\nadvanced features (e.g. zoom or speaker notes) may not work\nin an offline \"self-contained\" `reveal.js` slide show.\n"}},"documentation":"Specify Lua scripts that implement shortcode handlers","$id":"quarto-resource-document-render-embed-resources"},"quarto-resource-document-render-self-contained":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Produce a standalone HTML file with no external dependencies","long":"Produce a standalone HTML file with no external dependencies. Note that\nthis option has been deprecated in favor of `embed-resources`.\n"},"hidden":true},"documentation":"Keep the markdown file generated by executing code","$id":"quarto-resource-document-render-self-contained"},"quarto-resource-document-render-self-contained-math":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-files"],"description":{"short":"Embed math libraries (e.g. MathJax) within `self-contained` output.","long":"Embed math libraries (e.g. MathJax) within `self-contained` output.\nNote that math libraries are not embedded by default because they are \n quite large and often time consuming to download.\n"}},"documentation":"Keep the notebook file generated from executing code.","$id":"quarto-resource-document-render-self-contained-math"},"quarto-resource-document-render-filters":{"_internalId":4943,"type":"ref","$ref":"pandoc-format-filters","description":"be pandoc-format-filters","documentation":"Filters to pre-process ipynb files before rendering to markdown","tags":{"description":"Specify executables or Lua scripts to be used as a filter transforming\nthe pandoc AST after the input is parsed and before the output is written.\n"},"$id":"quarto-resource-document-render-filters"},"quarto-resource-document-render-shortcodes":{"_internalId":4946,"type":"ref","$ref":"pandoc-shortcodes","description":"be pandoc-shortcodes","documentation":"Specify which nodes should be run interactively (displaying output\nfrom expressions)","tags":{"description":"Specify Lua scripts that implement shortcode handlers\n"},"$id":"quarto-resource-document-render-shortcodes"},"quarto-resource-document-render-keep-md":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"description":"Keep the markdown file generated by executing code"},"documentation":"If true, use the “notebook_connected” plotly renderer, which\ndownloads its dependencies from a CDN and requires an internet\nconnection to view.","$id":"quarto-resource-document-render-keep-md"},"quarto-resource-document-render-keep-ipynb":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"description":"Keep the notebook file generated from executing code."},"documentation":"Keep the intermediate typst file used during render.","$id":"quarto-resource-document-render-keep-ipynb"},"quarto-resource-document-render-ipynb-filters":{"_internalId":4955,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"contexts":["document-execute"],"description":"Filters to pre-process ipynb files before rendering to markdown"},"documentation":"Keep the intermediate tex file used during render.","$id":"quarto-resource-document-render-ipynb-filters"},"quarto-resource-document-render-ipynb-shell-interactivity":{"_internalId":4958,"type":"enum","enum":[null,"all","last","last_expr","none","last_expr_or_assign"],"description":"be one of: `null`, `all`, `last`, `last_expr`, `none`, `last_expr_or_assign`","completions":["null","all","last","last_expr","none","last_expr_or_assign"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"engine":"jupyter","description":"Specify which nodes should be run interactively (displaying output from expressions)\n"},"documentation":"Extract images and other media contained in or linked from the source\ndocument to the path DIR.","$id":"quarto-resource-document-render-ipynb-shell-interactivity"},"quarto-resource-document-render-plotly-connected":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"contexts":["document-execute"],"engine":"jupyter","description":"If true, use the \"notebook_connected\" plotly renderer, which downloads\nits dependencies from a CDN and requires an internet connection to view.\n"},"documentation":"List of paths to search for images and other resources.","$id":"quarto-resource-document-render-plotly-connected"},"quarto-resource-document-render-keep-typ":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["typst"],"description":"Keep the intermediate typst file used during render."},"documentation":"Specify a default extension to use when image paths/URLs have no\nextension.","$id":"quarto-resource-document-render-keep-typ"},"quarto-resource-document-render-keep-tex":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pdf","beamer"],"description":"Keep the intermediate tex file used during render."},"documentation":"Specifies a custom abbreviations file, with abbreviations one to a\nline.","$id":"quarto-resource-document-render-keep-tex"},"quarto-resource-document-render-extract-media":{"type":"string","description":"be a string","documentation":"Specify the default dpi (dots per inch) value for conversion from\npixels to inch/ centimeters and vice versa.","tags":{"description":{"short":"Extract images and other media contained in or linked from the source document to the\npath DIR.\n","long":"Extract images and other media contained in or linked from the source document to the\npath DIR, creating it if necessary, and adjust the images references in the document\nso they point to the extracted files. Media are downloaded, read from the file\nsystem, or extracted from a binary container (e.g. docx), as needed. The original\nfile paths are used if they are relative paths not containing ... Otherwise filenames\nare constructed from the SHA1 hash of the contents.\n"}},"$id":"quarto-resource-document-render-extract-media"},"quarto-resource-document-render-resource-path":{"_internalId":4971,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"If none, do not process tables in HTML input.","tags":{"description":"List of paths to search for images and other resources.\n"},"$id":"quarto-resource-document-render-resource-path"},"quarto-resource-document-render-default-image-extension":{"type":"string","description":"be a string","documentation":"If none, ignore any divs with\nhtml-pre-tag-processing=parse enabled.","tags":{"description":{"short":"Specify a default extension to use when image paths/URLs have no extension.\n","long":"Specify a default extension to use when image paths/URLs have no\nextension. This allows you to use the same source for formats that\nrequire different kinds of images. Currently this option only affects\nthe Markdown and LaTeX readers.\n"}},"$id":"quarto-resource-document-render-default-image-extension"},"quarto-resource-document-render-abbreviations":{"type":"string","description":"be a string","documentation":"CSS property translation","tags":{"description":{"short":"Specifies a custom abbreviations file, with abbreviations one to a line.\n","long":"Specifies a custom abbreviations file, with abbreviations one to a line.\nThis list is used when reading Markdown input: strings found in this list\nwill be followed by a nonbreaking space, and the period will not produce sentence-ending space in formats like LaTeX. The strings may not contain\nspaces.\n"}},"$id":"quarto-resource-document-render-abbreviations"},"quarto-resource-document-render-dpi":{"type":"number","description":"be a number","documentation":"If true, attempt to use rsvg-convert to\nconvert SVG images to PDF.","tags":{"description":{"short":"Specify the default dpi (dots per inch) value for conversion from pixels to inch/\ncentimeters and vice versa.\n","long":"Specify the default dpi (dots per inch) value for conversion from pixels to inch/\ncentimeters and vice versa. (Technically, the correct term would be ppi: pixels per\ninch.) The default is `96`. When images contain information about dpi internally, the\nencoded value is used instead of the default specified by this option.\n"}},"$id":"quarto-resource-document-render-dpi"},"quarto-resource-document-render-html-table-processing":{"_internalId":4980,"type":"enum","enum":["none"],"description":"be 'none'","completions":["none"],"exhaustiveCompletions":true,"documentation":"Logo image (placed in bottom right corner of slides)","tags":{"description":"If `none`, do not process tables in HTML input."},"$id":"quarto-resource-document-render-html-table-processing"},"quarto-resource-document-render-html-pre-tag-processing":{"_internalId":4983,"type":"enum","enum":["none","parse"],"description":"be one of: `none`, `parse`","completions":["none","parse"],"exhaustiveCompletions":true,"tags":{"formats":["typst"],"description":"If `none`, ignore any divs with `html-pre-tag-processing=parse` enabled."},"documentation":"Footer to include on all slides","$id":"quarto-resource-document-render-html-pre-tag-processing"},"quarto-resource-document-render-css-property-processing":{"_internalId":4986,"type":"enum","enum":["none","translate"],"description":"be one of: `none`, `translate`","completions":["none","translate"],"exhaustiveCompletions":true,"tags":{"formats":["typst"],"description":{"short":"CSS property translation","long":"If `translate`, translate CSS properties into output format properties. If `none`, do not process css properties."}},"documentation":"Allow content that overflows slides vertically to scroll","$id":"quarto-resource-document-render-css-property-processing"},"quarto-resource-document-render-use-rsvg-convert":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"If `true`, attempt to use `rsvg-convert` to convert SVG images to PDF."},"documentation":"Use a smaller default font for slide content","$id":"quarto-resource-document-render-use-rsvg-convert"},"quarto-resource-document-reveal-content-logo":{"_internalId":4991,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"formats":["revealjs"],"description":"Logo image (placed in bottom right corner of slides)"},"documentation":"Location of output relative to the code that generated it\n(default, fragment, slide,\ncolumn, or column-location)","$id":"quarto-resource-document-reveal-content-logo"},"quarto-resource-document-reveal-content-footer":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":{"short":"Footer to include on all slides","long":"Footer to include on all slides. Can also be set per-slide by including a\ndiv with class `.footer` on the slide.\n"}},"documentation":"Flags if the presentation is running in an embedded mode","$id":"quarto-resource-document-reveal-content-footer"},"quarto-resource-document-reveal-content-scrollable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Allow content that overflows slides vertically to scroll","long":"`true` to allow content that overflows slides vertically to scroll. This can also\nbe set per-slide by including the `.scrollable` class on the slide title.\n"}},"documentation":"The display mode that will be used to show slides","$id":"quarto-resource-document-reveal-content-scrollable"},"quarto-resource-document-reveal-content-smaller":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Use a smaller default font for slide content","long":"`true` to use a smaller default font for slide content. This can also\nbe set per-slide by including the `.smaller` class on the slide title.\n"}},"documentation":"For slides with a single top-level image, automatically stretch it to\nfill the slide.","$id":"quarto-resource-document-reveal-content-smaller"},"quarto-resource-document-reveal-content-output-location":{"_internalId":5000,"type":"enum","enum":["default","fragment","slide","column","column-fragment"],"description":"be one of: `default`, `fragment`, `slide`, `column`, `column-fragment`","completions":["default","fragment","slide","column","column-fragment"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Location of output relative to the code that generated it (`default`, `fragment`, `slide`, `column`, or `column-location`)","long":"Location of output relative to the code that generated it. The possible values are as follows:\n\n- `default`: Normal flow of the slide after the code\n- `fragment`: In a fragment (not visible until you advance)\n- `slide`: On a new slide after the curent one\n- `column`: In an adjacent column \n- `column-fragment`: In an adjacent column (not visible until you advance)\n\nNote that this option is supported only for the `revealjs` format.\n"}},"documentation":"The ‘normal’ width of the presentation","$id":"quarto-resource-document-reveal-content-output-location"},"quarto-resource-document-reveal-hidden-embedded":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Flags if the presentation is running in an embedded mode\n","hidden":true},"documentation":"The ‘normal’ height of the presentation","$id":"quarto-resource-document-reveal-hidden-embedded"},"quarto-resource-document-reveal-hidden-display":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"The display mode that will be used to show slides","hidden":true},"documentation":"For revealjs, the factor of the display size that should\nremain empty around the content (e.g. 0.1).\nFor typst, a dictionary with the fields defined in the\nTypst documentation: x, y, top,\nbottom, left, right (margins are\nspecified in cm units, e.g. 5cm).","$id":"quarto-resource-document-reveal-hidden-display"},"quarto-resource-document-reveal-layout-auto-stretch":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"For slides with a single top-level image, automatically stretch it to fill the slide."},"documentation":"Horizontal margin (e.g. 5cm)","$id":"quarto-resource-document-reveal-layout-auto-stretch"},"quarto-resource-document-reveal-layout-width":{"_internalId":5013,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","tags":{"formats":["revealjs"],"description":{"short":"The 'normal' width of the presentation","long":"The \"normal\" width of the presentation, aspect ratio will\nbe preserved when the presentation is scaled to fit different\nresolutions. Can be specified using percentage units.\n"}},"documentation":"Vertical margin (e.g. 5cm)","$id":"quarto-resource-document-reveal-layout-width"},"quarto-resource-document-reveal-layout-height":{"_internalId":5020,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"string","description":"be a string"}],"description":"be at least one of: a number, a string","tags":{"formats":["revealjs"],"description":{"short":"The 'normal' height of the presentation","long":"The \"normal\" height of the presentation, aspect ratio will\nbe preserved when the presentation is scaled to fit different\nresolutions. Can be specified using percentage units.\n"}},"documentation":"Top margin (e.g. 5cm)","$id":"quarto-resource-document-reveal-layout-height"},"quarto-resource-document-reveal-layout-margin":{"_internalId":5040,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":5039,"type":"object","description":"be an object","properties":{"x":{"type":"string","description":"be a string","tags":{"description":"Horizontal margin (e.g. 5cm)"},"documentation":"Left margin (e.g. 5cm)"},"y":{"type":"string","description":"be a string","tags":{"description":"Vertical margin (e.g. 5cm)"},"documentation":"Right margin (e.g. 5cm)"},"top":{"type":"string","description":"be a string","tags":{"description":"Top margin (e.g. 5cm)"},"documentation":"Bounds for smallest possible scale to apply to content"},"bottom":{"type":"string","description":"be a string","tags":{"description":"Bottom margin (e.g. 5cm)"},"documentation":"Bounds for largest possible scale to apply to content"},"left":{"type":"string","description":"be a string","tags":{"description":"Left margin (e.g. 5cm)"},"documentation":"Vertical centering of slides"},"right":{"type":"string","description":"be a string","tags":{"description":"Right margin (e.g. 5cm)"},"documentation":"Disables the default reveal.js slide layout (scaling and\ncentering)"}},"patternProperties":{},"closed":true}],"description":"be at least one of: a number, an object","tags":{"formats":["revealjs","typst"],"description":"For `revealjs`, the factor of the display size that should remain empty around the content (e.g. 0.1).\n\nFor `typst`, a dictionary with the fields defined in the Typst documentation:\n`x`, `y`, `top`, `bottom`, `left`, `right` (margins are specified in `cm` units,\ne.g. `5cm`).\n"},"documentation":"Bottom margin (e.g. 5cm)","$id":"quarto-resource-document-reveal-layout-margin"},"quarto-resource-document-reveal-layout-min-scale":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Bounds for smallest possible scale to apply to content"},"documentation":"Sets the maximum height for source code blocks that appear in the\npresentation.","$id":"quarto-resource-document-reveal-layout-min-scale"},"quarto-resource-document-reveal-layout-max-scale":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Bounds for largest possible scale to apply to content"},"documentation":"Open links in an iframe preview overlay (true,\nfalse, or auto)","$id":"quarto-resource-document-reveal-layout-max-scale"},"quarto-resource-document-reveal-layout-center":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Vertical centering of slides"},"documentation":"Autoplay embedded media (null, true, or\nfalse). Default is null (only when\nautoplay attribute is specified)","$id":"quarto-resource-document-reveal-layout-center"},"quarto-resource-document-reveal-layout-disable-layout":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Disables the default reveal.js slide layout (scaling and centering)\n"},"documentation":"Global override for preloading lazy-loaded iframes\n(null, true, or false).","$id":"quarto-resource-document-reveal-layout-disable-layout"},"quarto-resource-document-reveal-layout-code-block-height":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Sets the maximum height for source code blocks that appear in the presentation.\n"},"documentation":"Number of slides away from the current slide to pre-load resources\nfor","$id":"quarto-resource-document-reveal-layout-code-block-height"},"quarto-resource-document-reveal-media-preview-links":{"_internalId":5058,"type":"anyOf","anyOf":[{"_internalId":5055,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: 'auto', `true` or `false`","tags":{"formats":["revealjs"],"description":{"short":"Open links in an iframe preview overlay (`true`, `false`, or `auto`)","long":"Open links in an iframe preview overlay.\n\n- `true`: Open links in iframe preview overlay\n- `false`: Do not open links in iframe preview overlay\n- `auto` (default): Open links in iframe preview overlay, in fullscreen mode.\n"}},"documentation":"Number of slides away from the current slide to pre-load resources\nfor (on mobile devices).","$id":"quarto-resource-document-reveal-media-preview-links"},"quarto-resource-document-reveal-media-auto-play-media":{"_internalId":5061,"type":"enum","enum":[null,true,false],"description":"be one of: `null`, `true`, `false`","completions":["null","true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Autoplay embedded media (`null`, `true`, or `false`). Default is `null` (only when `autoplay` \nattribute is specified)\n"},"documentation":"Parallax background image","$id":"quarto-resource-document-reveal-media-auto-play-media"},"quarto-resource-document-reveal-media-preload-iframes":{"_internalId":5064,"type":"enum","enum":[null,true,false],"description":"be one of: `null`, `true`, `false`","completions":["null","true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Global override for preloading lazy-loaded iframes (`null`, `true`, or `false`).","long":"Global override for preloading lazy-loaded iframes\n\n- `null`: Iframes with data-src AND data-preload will be loaded when within\n the `viewDistance`, iframes with only data-src will be loaded when visible\n- `true`: All iframes with data-src will be loaded when within the viewDistance\n- `false`: All iframes with data-src will be loaded only when visible\n"}},"documentation":"Parallax background size (e.g. ‘2100px 900px’)","$id":"quarto-resource-document-reveal-media-preload-iframes"},"quarto-resource-document-reveal-media-view-distance":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of slides away from the current slide to pre-load resources for"},"documentation":"Number of pixels to move the parallax background horizontally per\nslide.","$id":"quarto-resource-document-reveal-media-view-distance"},"quarto-resource-document-reveal-media-mobile-view-distance":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of slides away from the current slide to pre-load resources for (on mobile devices).\n"},"documentation":"Number of pixels to move the parallax background vertically per\nslide.","$id":"quarto-resource-document-reveal-media-mobile-view-distance"},"quarto-resource-document-reveal-media-parallax-background-image":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Parallax background image"},"documentation":"Display a presentation progress bar","$id":"quarto-resource-document-reveal-media-parallax-background-image"},"quarto-resource-document-reveal-media-parallax-background-size":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Parallax background size (e.g. '2100px 900px')"},"documentation":"Push each slide change to the browser history","$id":"quarto-resource-document-reveal-media-parallax-background-size"},"quarto-resource-document-reveal-media-parallax-background-horizontal":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of pixels to move the parallax background horizontally per slide."},"documentation":"Navigation progression (linear, vertical,\nor grid)","$id":"quarto-resource-document-reveal-media-parallax-background-horizontal"},"quarto-resource-document-reveal-media-parallax-background-vertical":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Number of pixels to move the parallax background vertically per slide."},"documentation":"Enable touch navigation on devices with touch input","$id":"quarto-resource-document-reveal-media-parallax-background-vertical"},"quarto-resource-document-reveal-navigation-progress":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Display a presentation progress bar"},"documentation":"Enable keyboard shortcuts for navigation","$id":"quarto-resource-document-reveal-navigation-progress"},"quarto-resource-document-reveal-navigation-history":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Push each slide change to the browser history\n"},"documentation":"Enable slide navigation via mouse wheel","$id":"quarto-resource-document-reveal-navigation-history"},"quarto-resource-document-reveal-navigation-navigation-mode":{"_internalId":5083,"type":"enum","enum":["linear","vertical","grid"],"description":"be one of: `linear`, `vertical`, `grid`","completions":["linear","vertical","grid"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Navigation progression (`linear`, `vertical`, or `grid`)","long":"Changes the behavior of navigation directions.\n\n- `linear`: Removes the up/down arrows. Left/right arrows step through all\n slides (both horizontal and vertical).\n\n- `vertical`: Left/right arrow keys step between horizontal slides, up/down\n arrow keys step between vertical slides. Space key steps through\n all slides (both horizontal and vertical).\n\n- `grid`: When this is enabled, stepping left/right from a vertical stack\n to an adjacent vertical stack will land you at the same vertical\n index.\n"}},"documentation":"Hide cursor if inactive","$id":"quarto-resource-document-reveal-navigation-navigation-mode"},"quarto-resource-document-reveal-navigation-touch":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable touch navigation on devices with touch input\n"},"documentation":"Time before the cursor is hidden (in ms)","$id":"quarto-resource-document-reveal-navigation-touch"},"quarto-resource-document-reveal-navigation-keyboard":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable keyboard shortcuts for navigation"},"documentation":"Loop the presentation","$id":"quarto-resource-document-reveal-navigation-keyboard"},"quarto-resource-document-reveal-navigation-mouse-wheel":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable slide navigation via mouse wheel"},"documentation":"Randomize the order of slides each time the presentation loads","$id":"quarto-resource-document-reveal-navigation-mouse-wheel"},"quarto-resource-document-reveal-navigation-hide-inactive-cursor":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Hide cursor if inactive"},"documentation":"Show arrow controls for navigating through slides (true,\nfalse, or auto).","$id":"quarto-resource-document-reveal-navigation-hide-inactive-cursor"},"quarto-resource-document-reveal-navigation-hide-cursor-time":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Time before the cursor is hidden (in ms)"},"documentation":"Location for navigation controls (edges or\nbottom-right)","$id":"quarto-resource-document-reveal-navigation-hide-cursor-time"},"quarto-resource-document-reveal-navigation-loop":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Loop the presentation"},"documentation":"Help the user learn the controls by providing visual hints.","$id":"quarto-resource-document-reveal-navigation-loop"},"quarto-resource-document-reveal-navigation-shuffle":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Randomize the order of slides each time the presentation loads"},"documentation":"Visibility rule for backwards navigation arrows (faded,\nhidden, or visible).","$id":"quarto-resource-document-reveal-navigation-shuffle"},"quarto-resource-document-reveal-navigation-controls":{"_internalId":5105,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5104,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'auto'","tags":{"formats":["revealjs"],"description":{"short":"Show arrow controls for navigating through slides (`true`, `false`, or `auto`).","long":"Show arrow controls for navigating through slides.\n\n- `true`: Always show controls\n- `false`: Never show controls\n- `auto` (default): Show controls when vertical slides are present or when the deck is embedded in an iframe.\n"}},"documentation":"Automatically progress all slides at the specified interval","$id":"quarto-resource-document-reveal-navigation-controls"},"quarto-resource-document-reveal-navigation-controls-layout":{"_internalId":5108,"type":"enum","enum":["edges","bottom-right"],"description":"be one of: `edges`, `bottom-right`","completions":["edges","bottom-right"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Location for navigation controls (`edges` or `bottom-right`)"},"documentation":"Stop auto-sliding after user input","$id":"quarto-resource-document-reveal-navigation-controls-layout"},"quarto-resource-document-reveal-navigation-controls-tutorial":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Help the user learn the controls by providing visual hints."},"documentation":"Navigation method to use when auto sliding (defaults to\nnavigateNext)","$id":"quarto-resource-document-reveal-navigation-controls-tutorial"},"quarto-resource-document-reveal-navigation-controls-back-arrows":{"_internalId":5113,"type":"enum","enum":["faded","hidden","visible"],"description":"be one of: `faded`, `hidden`, `visible`","completions":["faded","hidden","visible"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Visibility rule for backwards navigation arrows (`faded`, `hidden`, or `visible`).\n"},"documentation":"Expected average seconds per slide (used by pacing timer in speaker\nview)","$id":"quarto-resource-document-reveal-navigation-controls-back-arrows"},"quarto-resource-document-reveal-navigation-auto-slide":{"_internalId":5121,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"_internalId":5120,"type":"enum","enum":[false],"description":"be 'false'","completions":["false"],"exhaustiveCompletions":true}],"description":"be at least one of: a number, 'false'","tags":{"formats":["revealjs"],"description":"Automatically progress all slides at the specified interval"},"documentation":"Flags whether it should be possible to pause the presentation\n(blackout)","$id":"quarto-resource-document-reveal-navigation-auto-slide"},"quarto-resource-document-reveal-navigation-auto-slide-stoppable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Stop auto-sliding after user input"},"documentation":"Show a help overlay when the ? key is pressed","$id":"quarto-resource-document-reveal-navigation-auto-slide-stoppable"},"quarto-resource-document-reveal-navigation-auto-slide-method":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":"Navigation method to use when auto sliding (defaults to navigateNext)"},"documentation":"Add the current slide to the URL hash","$id":"quarto-resource-document-reveal-navigation-auto-slide-method"},"quarto-resource-document-reveal-navigation-default-timing":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":"Expected average seconds per slide (used by pacing timer in speaker view)"},"documentation":"URL hash type (number or title)","$id":"quarto-resource-document-reveal-navigation-default-timing"},"quarto-resource-document-reveal-navigation-pause":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Flags whether it should be possible to pause the presentation (blackout)\n"},"documentation":"Use 1 based indexing for hash links to match slide number","$id":"quarto-resource-document-reveal-navigation-pause"},"quarto-resource-document-reveal-navigation-help":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Show a help overlay when the `?` key is pressed\n"},"documentation":"Monitor the hash and change slides accordingly","$id":"quarto-resource-document-reveal-navigation-help"},"quarto-resource-document-reveal-navigation-hash":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Add the current slide to the URL hash"},"documentation":"Include the current fragment in the URL","$id":"quarto-resource-document-reveal-navigation-hash"},"quarto-resource-document-reveal-navigation-hash-type":{"_internalId":5136,"type":"enum","enum":["number","title"],"description":"be one of: `number`, `title`","completions":["number","title"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"URL hash type (`number` or `title`)"},"documentation":"Play a subtle sound when changing slides","$id":"quarto-resource-document-reveal-navigation-hash-type"},"quarto-resource-document-reveal-navigation-hash-one-based-index":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Use 1 based indexing for hash links to match slide number\n"},"documentation":"Deactivate jump to slide feature.","$id":"quarto-resource-document-reveal-navigation-hash-one-based-index"},"quarto-resource-document-reveal-navigation-respond-to-hash-changes":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Monitor the hash and change slides accordingly\n"},"documentation":"Slides that are too tall to fit within a single page will expand onto\nmultiple pages","$id":"quarto-resource-document-reveal-navigation-respond-to-hash-changes"},"quarto-resource-document-reveal-navigation-fragment-in-url":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Include the current fragment in the URL"},"documentation":"Prints each fragment on a separate slide","$id":"quarto-resource-document-reveal-navigation-fragment-in-url"},"quarto-resource-document-reveal-navigation-slide-tone":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Play a subtle sound when changing slides"},"documentation":"Offset used to reduce the height of content within exported PDF\npages.","$id":"quarto-resource-document-reveal-navigation-slide-tone"},"quarto-resource-document-reveal-navigation-jump-to-slide":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Deactivate jump to slide feature."},"documentation":"Enable the slide overview mode","$id":"quarto-resource-document-reveal-navigation-jump-to-slide"},"quarto-resource-document-reveal-print-pdf-max-pages-per-slide":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":{"short":"Slides that are too tall to fit within a single page will expand onto multiple pages","long":"Slides that are too tall to fit within a single page will expand onto multiple pages. You can limit how many pages a slide may expand to using this option.\n"}},"documentation":"Configuration for revealjs menu.","$id":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide"},"quarto-resource-document-reveal-print-pdf-separate-fragments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Prints each fragment on a separate slide"},"documentation":"Side of the presentation where the menu will be shown\n(left or right)","$id":"quarto-resource-document-reveal-print-pdf-separate-fragments"},"quarto-resource-document-reveal-print-pdf-page-height-offset":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":{"short":"Offset used to reduce the height of content within exported PDF pages.","long":"Offset used to reduce the height of content within exported PDF pages.\nThis exists to account for environment differences based on how you\nprint to PDF. CLI printing options, like phantomjs and wkpdf, can end\non precisely the total height of the document whereas in-browser\nprinting has to end one pixel before.\n"}},"documentation":"Width of the menu","$id":"quarto-resource-document-reveal-print-pdf-page-height-offset"},"quarto-resource-document-reveal-tools-overview":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Enable the slide overview mode"},"documentation":"Add slide numbers to menu items","$id":"quarto-resource-document-reveal-tools-overview"},"quarto-resource-document-reveal-tools-menu":{"_internalId":5171,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5170,"type":"object","description":"be an object","properties":{"side":{"_internalId":5163,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"Side of the presentation where the menu will be shown (`left` or `right`)"},"documentation":"Configuration for revealjs chalkboard."},"width":{"type":"string","description":"be a string","completions":["normal","wide","third","half","full"],"tags":{"description":"Width of the menu"},"documentation":"Visual theme for drawing surface (chalkboard or\nwhiteboard)"},"numbers":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Add slide numbers to menu items"},"documentation":"The drawing width of the boardmarker. Defaults to 3. Larger values\ndraw thicker lines."},"use-text-content-for-missing-titles":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"For slides with no title, attempt to use the start of the text content as the title instead.\n"},"documentation":"The drawing width of the chalk. Defaults to 7. Larger values draw\nthicker lines."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention side,width,numbers,use-text-content-for-missing-titles","type":"string","pattern":"(?!(^use_text_content_for_missing_titles$|^useTextContentForMissingTitles$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Configuration for revealjs menu."},"documentation":"For slides with no title, attempt to use the start of the text\ncontent as the title instead.","$id":"quarto-resource-document-reveal-tools-menu"},"quarto-resource-document-reveal-tools-chalkboard":{"_internalId":5194,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5193,"type":"object","description":"be an object","properties":{"theme":{"_internalId":5180,"type":"enum","enum":["chalkboard","whiteboard"],"description":"be one of: `chalkboard`, `whiteboard`","completions":["chalkboard","whiteboard"],"exhaustiveCompletions":true,"tags":{"description":"Visual theme for drawing surface (`chalkboard` or `whiteboard`)"},"documentation":"Configuration option to prevent changes to existing drawings"},"boardmarker-width":{"type":"number","description":"be a number","tags":{"description":"The drawing width of the boardmarker. Defaults to 3. Larger values draw thicker lines.\n"},"documentation":"Add chalkboard buttons at the bottom of the slide"},"chalk-width":{"type":"number","description":"be a number","tags":{"description":"The drawing width of the chalk. Defaults to 7. Larger values draw thicker lines.\n"},"documentation":"Gives the duration (in ms) of the transition for a slide change, so\nthat the notes canvas is drawn after the transition is completed."},"src":{"type":"string","description":"be a string","tags":{"description":"Optional file name for pre-recorded drawings (download drawings using the `D` key)\n"},"documentation":"Configuration for reveal presentation multiplexing."},"read-only":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Configuration option to prevent changes to existing drawings\n"},"documentation":"Multiplex token server (defaults to Reveal-hosted server)"},"buttons":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Add chalkboard buttons at the bottom of the slide\n"},"documentation":"Unique presentation id provided by multiplex token server"},"transition":{"type":"number","description":"be a number","tags":{"description":"Gives the duration (in ms) of the transition for a slide change, \nso that the notes canvas is drawn after the transition is completed.\n"},"documentation":"Secret provided by multiplex token server"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention theme,boardmarker-width,chalk-width,src,read-only,buttons,transition","type":"string","pattern":"(?!(^boardmarker_width$|^boardmarkerWidth$|^chalk_width$|^chalkWidth$|^read_only$|^readOnly$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Configuration for revealjs chalkboard."},"documentation":"Optional file name for pre-recorded drawings (download drawings using\nthe D key)","$id":"quarto-resource-document-reveal-tools-chalkboard"},"quarto-resource-document-reveal-tools-multiplex":{"_internalId":5208,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5207,"type":"object","description":"be an object","properties":{"url":{"type":"string","description":"be a string","tags":{"description":"Multiplex token server (defaults to Reveal-hosted server)\n"},"documentation":"Activate scroll view by default for the presentation. Otherwise, it\nis manually avalaible by adding ?view=scroll to url."},"id":{"type":"string","description":"be a string","tags":{"description":"Unique presentation id provided by multiplex token server"},"documentation":"Show the scrollbar while scrolling, hide while idle (default\nauto). Set to ‘true’ to always show, false to\nalways hide."},"secret":{"type":"string","description":"be a string","tags":{"description":"Secret provided by multiplex token server"},"documentation":"When scrolling, it will automatically snap to the closest slide. Only\nsnap when close to the top of a slide using proximity.\nDisable snapping altogether by setting to false."}},"patternProperties":{}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Configuration for reveal presentation multiplexing."},"documentation":"Control the scroll view feature of Revealjs","$id":"quarto-resource-document-reveal-tools-multiplex"},"quarto-resource-document-reveal-tools-scroll-view":{"_internalId":5234,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5233,"type":"object","description":"be an object","properties":{"activate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Activate scroll view by default for the presentation. Otherwise, it is manually avalaible by adding `?view=scroll` to url."},"documentation":"Control scroll view activation width. The scroll view is\nautomatically unable when the viewport reaches mobile widths. Set to\n0 to disable automatic scroll view."},"progress":{"_internalId":5224,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5223,"type":"enum","enum":["auto"],"description":"be 'auto'","completions":["auto"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'auto'","tags":{"description":"Show the scrollbar while scrolling, hide while idle (default `auto`). Set to 'true' to always show, `false` to always hide."},"documentation":"Transition style for slides"},"snap":{"_internalId":5227,"type":"enum","enum":["mandatory","proximity",false],"description":"be one of: `mandatory`, `proximity`, `false`","completions":["mandatory","proximity","false"],"exhaustiveCompletions":true,"tags":{"description":"When scrolling, it will automatically snap to the closest slide. Only snap when close to the top of a slide using `proximity`. Disable snapping altogether by setting to `false`.\n"},"documentation":"Slide transition speed (default, fast, or\nslow)"},"layout":{"_internalId":5230,"type":"enum","enum":["compact","full"],"description":"be one of: `compact`, `full`","completions":["compact","full"],"exhaustiveCompletions":true,"tags":{"description":"By default each slide will be sized to be as tall as the viewport. If you prefer a more dense layout with multiple slides visible in parallel, set to `compact`.\n"},"documentation":"Transition style for full page slide backgrounds"},"activation-width":{"type":"number","description":"be a number","tags":{"description":"Control scroll view activation width. The scroll view is automatically unable when the viewport reaches mobile widths. Set to `0` to disable automatic scroll view.\n"},"documentation":"Turns fragments on and off globally"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention activate,progress,snap,layout,activation-width","type":"string","pattern":"(?!(^activation_width$|^activationWidth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["revealjs"],"description":"Control the scroll view feature of Revealjs"},"documentation":"By default each slide will be sized to be as tall as the viewport. If\nyou prefer a more dense layout with multiple slides visible in parallel,\nset to compact.","$id":"quarto-resource-document-reveal-tools-scroll-view"},"quarto-resource-document-reveal-transitions-transition":{"_internalId":5237,"type":"enum","enum":["none","fade","slide","convex","concave","zoom"],"description":"be one of: `none`, `fade`, `slide`, `convex`, `concave`, `zoom`","completions":["none","fade","slide","convex","concave","zoom"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Transition style for slides","long":"Transition style for slides backgrounds.\n(`none`, `fade`, `slide`, `convex`, `concave`, or `zoom`)\n"}},"documentation":"Globally enable/disable auto-animate (enabled by default)","$id":"quarto-resource-document-reveal-transitions-transition"},"quarto-resource-document-reveal-transitions-transition-speed":{"_internalId":5240,"type":"enum","enum":["default","fast","slow"],"description":"be one of: `default`, `fast`, `slow`","completions":["default","fast","slow"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Slide transition speed (`default`, `fast`, or `slow`)"},"documentation":"Default CSS easing function for auto-animation","$id":"quarto-resource-document-reveal-transitions-transition-speed"},"quarto-resource-document-reveal-transitions-background-transition":{"_internalId":5243,"type":"enum","enum":["none","fade","slide","convex","concave","zoom"],"description":"be one of: `none`, `fade`, `slide`, `convex`, `concave`, `zoom`","completions":["none","fade","slide","convex","concave","zoom"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Transition style for full page slide backgrounds","long":"Transition style for full page slide backgrounds.\n(`none`, `fade`, `slide`, `convex`, `concave`, or `zoom`)\n"}},"documentation":"Duration (in seconds) of auto-animate transition","$id":"quarto-resource-document-reveal-transitions-background-transition"},"quarto-resource-document-reveal-transitions-fragments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Turns fragments on and off globally"},"documentation":"Auto-animate unmatched elements.","$id":"quarto-resource-document-reveal-transitions-fragments"},"quarto-resource-document-reveal-transitions-auto-animate":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Globally enable/disable auto-animate (enabled by default)"},"documentation":"CSS properties that can be auto-animated (positional styles like top,\nleft, etc. are always animated).","$id":"quarto-resource-document-reveal-transitions-auto-animate"},"quarto-resource-document-reveal-transitions-auto-animate-easing":{"type":"string","description":"be a string","tags":{"formats":["revealjs"],"description":{"short":"Default CSS easing function for auto-animation","long":"Default CSS easing function for auto-animation.\nCan be overridden per-slide or per-element via attributes.\n"}},"documentation":"Make list items in slide shows display incrementally (one by one).\nThe default is for lists to be displayed all at once.","$id":"quarto-resource-document-reveal-transitions-auto-animate-easing"},"quarto-resource-document-reveal-transitions-auto-animate-duration":{"type":"number","description":"be a number","tags":{"formats":["revealjs"],"description":{"short":"Duration (in seconds) of auto-animate transition","long":"Duration (in seconds) of auto-animate transition.\nCan be overridden per-slide or per-element via attributes.\n"}},"documentation":"Specifies that headings with the specified level create slides.\nHeadings above this level in the hierarchy are used to divide the slide\nshow into sections.","$id":"quarto-resource-document-reveal-transitions-auto-animate-duration"},"quarto-resource-document-reveal-transitions-auto-animate-unmatched":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":{"short":"Auto-animate unmatched elements.","long":"Auto-animate unmatched elements.\nCan be overridden per-slide or per-element via attributes.\n"}},"documentation":"Display the page number of the current slide","$id":"quarto-resource-document-reveal-transitions-auto-animate-unmatched"},"quarto-resource-document-reveal-transitions-auto-animate-styles":{"_internalId":5259,"type":"array","description":"be an array of values, where each element must be one of: `opacity`, `color`, `background-color`, `padding`, `font-size`, `line-height`, `letter-spacing`, `border-width`, `border-color`, `border-radius`, `outline`, `outline-offset`","items":{"_internalId":5258,"type":"enum","enum":["opacity","color","background-color","padding","font-size","line-height","letter-spacing","border-width","border-color","border-radius","outline","outline-offset"],"description":"be one of: `opacity`, `color`, `background-color`, `padding`, `font-size`, `line-height`, `letter-spacing`, `border-width`, `border-color`, `border-radius`, `outline`, `outline-offset`","completions":["opacity","color","background-color","padding","font-size","line-height","letter-spacing","border-width","border-color","border-radius","outline","outline-offset"],"exhaustiveCompletions":true},"tags":{"formats":["revealjs"],"description":{"short":"CSS properties that can be auto-animated (positional styles like top, left, etc.\nare always animated).\n"}},"documentation":"Contexts in which the slide number appears (all,\nprint, or speaker)","$id":"quarto-resource-document-reveal-transitions-auto-animate-styles"},"quarto-resource-document-slides-incremental":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["pptx","beamer","$html-pres"],"description":"Make list items in slide shows display incrementally (one by one). \nThe default is for lists to be displayed all at once.\n"},"documentation":"Additional attributes for the title slide of a reveal.js\npresentation.","$id":"quarto-resource-document-slides-incremental"},"quarto-resource-document-slides-slide-level":{"type":"number","description":"be a number","tags":{"formats":["pptx","beamer","$html-pres"],"description":{"short":"Specifies that headings with the specified level create slides.\nHeadings above this level in the hierarchy are used to divide \nthe slide show into sections.\n","long":"Specifies that headings with the specified level create slides.\nHeadings above this level in the hierarchy are used to divide \nthe slide show into sections; headings below this level create \nsubheads within a slide. Valid values are 0-6. If a slide level\nof 0 is specified, slides will not be split automatically on \nheadings, and horizontal rules must be used to indicate slide \nboundaries. If a slide level is not specified explicitly, the\nslide level will be set automatically based on the contents of\nthe document\n"}},"documentation":"CSS color for title slide background","$id":"quarto-resource-document-slides-slide-level"},"quarto-resource-document-slides-slide-number":{"_internalId":5271,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5270,"type":"enum","enum":["h.v","h/v","c","c/t"],"description":"be one of: `h.v`, `h/v`, `c`, `c/t`","completions":["h.v","h/v","c","c/t"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, one of: `h.v`, `h/v`, `c`, `c/t`","tags":{"formats":["revealjs"],"description":{"short":"Display the page number of the current slide","long":"Display the page number of the current slide\n\n- `true`: Show slide number\n- `false`: Hide slide number\n\nCan optionally be set as a string that specifies the number formatting:\n\n- `h.v`: Horizontal . vertical slide number\n- `h/v`: Horizontal / vertical slide number\n- `c`: Flattened slide number\n- `c/t`: Flattened slide number / total slides (default)\n"}},"documentation":"URL or path to the background image.","$id":"quarto-resource-document-slides-slide-number"},"quarto-resource-document-slides-show-slide-number":{"_internalId":5274,"type":"enum","enum":["all","print","speaker"],"description":"be one of: `all`, `print`, `speaker`","completions":["all","print","speaker"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Contexts in which the slide number appears (`all`, `print`, or `speaker`)"},"documentation":"CSS background size (defaults to cover)","$id":"quarto-resource-document-slides-show-slide-number"},"quarto-resource-document-slides-title-slide-attributes":{"_internalId":5289,"type":"object","description":"be an object","properties":{"data-background-color":{"type":"string","description":"be a string","tags":{"description":"CSS color for title slide background"},"documentation":"CSS background repeat (defaults to no-repeat)"},"data-background-image":{"type":"string","description":"be a string","tags":{"description":"URL or path to the background image."},"documentation":"Opacity of the background image on a 0-1 scale. 0 is transparent and\n1 is fully opaque."},"data-background-size":{"type":"string","description":"be a string","tags":{"description":"CSS background size (defaults to `cover`)"},"documentation":"The title slide style. Use pandoc to select the Pandoc\ndefault title slide style."},"data-background-position":{"type":"string","description":"be a string","tags":{"description":"CSS background position (defaults to `center`)"},"documentation":"Vertical centering of title slide"},"data-background-repeat":{"type":"string","description":"be a string","tags":{"description":"CSS background repeat (defaults to `no-repeat`)"},"documentation":"Make speaker notes visible to all viewers"},"data-background-opacity":{"type":"string","description":"be a string","tags":{"description":"Opacity of the background image on a 0-1 scale. \n0 is transparent and 1 is fully opaque.\n"},"documentation":"Change the presentation direction to be RTL"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention data-background-color,data-background-image,data-background-size,data-background-position,data-background-repeat,data-background-opacity","type":"string","pattern":"(?!(^data_background_color$|^dataBackgroundColor$|^data_background_image$|^dataBackgroundImage$|^data_background_size$|^dataBackgroundSize$|^data_background_position$|^dataBackgroundPosition$|^data_background_repeat$|^dataBackgroundRepeat$|^data_background_opacity$|^dataBackgroundOpacity$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true,"formats":["revealjs"],"description":{"short":"Additional attributes for the title slide of a reveal.js presentation.","long":"Additional attributes for the title slide of a reveal.js presentation as a map of \nattribute names and values. For example\n\n```yaml\n title-slide-attributes:\n data-background-image: /path/to/title_image.png\n data-background-size: contain \n```\n\n(Note that the data- prefix is required here, as it isn’t added automatically.)\n"}},"documentation":"CSS background position (defaults to center)","$id":"quarto-resource-document-slides-title-slide-attributes"},"quarto-resource-document-slides-title-slide-style":{"_internalId":5292,"type":"enum","enum":["pandoc","default"],"description":"be one of: `pandoc`, `default`","completions":["pandoc","default"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"The title slide style. Use `pandoc` to select the Pandoc default title slide style."},"documentation":"Method used to print tables in Knitr engine documents\n(default, kable, tibble, or\npaged). Uses default if not specified.","$id":"quarto-resource-document-slides-title-slide-style"},"quarto-resource-document-slides-center-title-slide":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Vertical centering of title slide"},"documentation":"Determine how text is wrapped in the output (auto,\nnone, or preserve).","$id":"quarto-resource-document-slides-center-title-slide"},"quarto-resource-document-slides-show-notes":{"_internalId":5302,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5301,"type":"enum","enum":["separate-page"],"description":"be 'separate-page'","completions":["separate-page"],"exhaustiveCompletions":true}],"description":"be at least one of: `true` or `false`, 'separate-page'","tags":{"formats":["revealjs"],"description":"Make speaker notes visible to all viewers\n"},"documentation":"For text formats, specify length of lines in characters. For\ntypst, number of columns for body text.","$id":"quarto-resource-document-slides-show-notes"},"quarto-resource-document-slides-rtl":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["revealjs"],"description":"Change the presentation direction to be RTL\n"},"documentation":"Specify the number of spaces per tab (default is 4).","$id":"quarto-resource-document-slides-rtl"},"quarto-resource-document-tables-df-print":{"_internalId":5307,"type":"enum","enum":["default","kable","tibble","paged"],"description":"be one of: `default`, `kable`, `tibble`, `paged`","completions":["default","kable","tibble","paged"],"exhaustiveCompletions":true,"tags":{"engine":"knitr","description":{"short":"Method used to print tables in Knitr engine documents (`default`,\n`kable`, `tibble`, or `paged`). Uses `default` if not specified.\n","long":"Method used to print tables in Knitr engine documents:\n\n- `default`: Use the default S3 method for the data frame.\n- `kable`: Markdown table using the `knitr::kable()` function.\n- `tibble`: Plain text table using the `tibble` package.\n- `paged`: HTML table with paging for row and column overflow.\n\nThe default printing method is `kable`.\n"}},"documentation":"Preserve tabs within code instead of converting them to spaces.","$id":"quarto-resource-document-tables-df-print"},"quarto-resource-document-text-wrap":{"_internalId":5310,"type":"enum","enum":["auto","none","preserve"],"description":"be one of: `auto`, `none`, `preserve`","completions":["auto","none","preserve"],"exhaustiveCompletions":true,"tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Determine how text is wrapped in the output (`auto`, `none`, or `preserve`).","long":"Determine how text is wrapped in the output (the source code, not the rendered\nversion). \n\n- `auto` (default): Pandoc will attempt to wrap lines to the column width specified by `columns` (default 72). \n- `none`: Pandoc will not wrap lines at all. \n- `preserve`: Pandoc will attempt to preserve the wrapping from the source\n document. Where there are nonsemantic newlines in the source, there will be\n nonsemantic newlines in the output as well.\n"}},"documentation":"Manually specify line endings (lf, crlf, or\nnative).","$id":"quarto-resource-document-text-wrap"},"quarto-resource-document-text-columns":{"type":"number","description":"be a number","tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all","typst"],"description":{"short":"For text formats, specify length of lines in characters. For `typst`, number of columns for body text.","long":"Specify length of lines in characters. This affects text wrapping in generated source\ncode (see `wrap`). It also affects calculation of column widths for plain text\ntables. \n\nFor `typst`, number of columns for body text.\n"}},"documentation":"Strip out HTML comments in source, rather than passing them on to\noutput.","$id":"quarto-resource-document-text-columns"},"quarto-resource-document-text-tab-stop":{"type":"number","description":"be a number","tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Specify the number of spaces per tab (default is 4).","long":"Specify the number of spaces per tab (default is 4). Note that tabs\nwithin normal textual input are always converted to spaces. Tabs \nwithin code are also converted, however this can be disabled with\n`preserve-tabs: false`.\n"}},"documentation":"Use only ASCII characters in output.","$id":"quarto-resource-document-text-tab-stop"},"quarto-resource-document-text-preserve-tabs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Preserve tabs within code instead of converting them to spaces.\n","long":"Preserve tabs within code instead of converting them to spaces.\n(By default, pandoc converts tabs to spaces before parsing its input.) \nNote that this will only affect tabs in literal code spans and code blocks. \nTabs in regular text are always treated as spaces.\n"}},"documentation":"Include an automatically generated table of contents","$id":"quarto-resource-document-text-preserve-tabs"},"quarto-resource-document-text-eol":{"_internalId":5319,"type":"enum","enum":["lf","crlf","native"],"description":"be one of: `lf`, `crlf`, `native`","completions":["lf","crlf","native"],"exhaustiveCompletions":true,"tags":{"formats":["!$pdf-all","!$office-all","!$odt-all","!$html-all","!$docbook-all"],"description":{"short":"Manually specify line endings (`lf`, `crlf`, or `native`).","long":"Manually specify line endings: \n\n- `crlf`: Use Windows line endings\n- `lf`: Use macOS/Linux/UNIX line endings\n- `native` (default): Use line endings appropriate to the OS on which pandoc is being run).\n"}},"documentation":"Include an automatically generated table of contents","$id":"quarto-resource-document-text-eol"},"quarto-resource-document-text-strip-comments":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$markdown-all","textile","$html-files"],"description":{"short":"Strip out HTML comments in source, rather than passing them on to output.","long":"Strip out HTML comments in the Markdown source,\nrather than passing them on to Markdown, Textile or HTML\noutput as raw HTML. This does not apply to HTML comments\ninside raw HTML blocks when the `markdown_in_html_blocks`\nextension is not set.\n"}},"documentation":"The amount of indentation to use for each level of the table of\ncontents. The default is “1.5em”.","$id":"quarto-resource-document-text-strip-comments"},"quarto-resource-document-text-ascii":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-all","$pdf-all","$markdown-all","ms"],"description":{"short":"Use only ASCII characters in output.","long":"Use only ASCII characters in output. Currently supported for XML\nand HTML formats (which use entities instead of UTF-8 when this\noption is selected), CommonMark, gfm, and Markdown (which use\nentities), roff ms (which use hexadecimal escapes), and to a\nlimited degree LaTeX (which uses standard commands for accented\ncharacters when possible). roff man output uses ASCII by default.\n"}},"documentation":"Specify the number of section levels to include in the table of\ncontents. The default is 3","$id":"quarto-resource-document-text-ascii"},"quarto-resource-document-toc-toc":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["!man","!$docbook-all","!$jats-all"],"description":{"short":"Include an automatically generated table of contents","long":"Include an automatically generated table of contents (or, in\nthe case of `latex`, `context`, `docx`, `odt`,\n`opendocument`, `rst`, or `ms`, an instruction to create\none) in the output document.\n\nNote that if you are producing a PDF via `ms`, the table\nof contents will appear at the beginning of the\ndocument, before the title. If you would prefer it to\nbe at the end of the document, use the option\n`pdf-engine-opt: --no-toc-relocation`.\n"}},"documentation":"Location for table of contents (body, left,\nright (default), left-body,\nright-body).","$id":"quarto-resource-document-toc-toc"},"quarto-resource-document-toc-table-of-contents":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["!man","!$docbook-all","!$jats-all"],"description":{"short":"Include an automatically generated table of contents","long":"Include an automatically generated table of contents (or, in\nthe case of `latex`, `context`, `docx`, `odt`,\n`opendocument`, `rst`, or `ms`, an instruction to create\none) in the output document.\n\nNote that if you are producing a PDF via `ms`, the table\nof contents will appear at the beginning of the\ndocument, before the title. If you would prefer it to\nbe at the end of the document, use the option\n`pdf-engine-opt: --no-toc-relocation`.\n"}},"documentation":"The title used for the table of contents.","$id":"quarto-resource-document-toc-table-of-contents"},"quarto-resource-document-toc-toc-indent":{"type":"string","description":"be a string","tags":{"formats":["typst"],"description":"The amount of indentation to use for each level of the table of contents.\nThe default is \"1.5em\".\n"},"documentation":"Specifies the depth of items in the table of contents that should be\ndisplayed as expanded in HTML output. Use true to expand\nall or false to collapse all.","$id":"quarto-resource-document-toc-toc-indent"},"quarto-resource-document-toc-toc-depth":{"type":"number","description":"be a number","tags":{"formats":["!man","!$docbook-all","!$jats-all","!beamer"],"description":"Specify the number of section levels to include in the table of contents.\nThe default is 3\n"},"documentation":"Print a list of figures in the document.","$id":"quarto-resource-document-toc-toc-depth"},"quarto-resource-document-toc-toc-location":{"_internalId":5332,"type":"enum","enum":["body","left","right","left-body","right-body"],"description":"be one of: `body`, `left`, `right`, `left-body`, `right-body`","completions":["body","left","right","left-body","right-body"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"Location for table of contents (`body`, `left`, `right` (default), `left-body`, `right-body`).\n","long":"Location for table of contents:\n\n- `body`: Show the Table of Contents in the center body of the document. \n- `left`: Show the Table of Contents in left margin of the document.\n- `right`(default): Show the Table of Contents in right margin of the document.\n- `left-body`: Show two Tables of Contents in both the center body and the left margin of the document.\n- `right-body`: Show two Tables of Contents in both the center body and the right margin of the document.\n"}},"documentation":"Print a list of tables in the document.","$id":"quarto-resource-document-toc-toc-location"},"quarto-resource-document-toc-toc-title":{"type":"string","description":"be a string","tags":{"formats":["$epub-all","$odt-all","$office-all","$pdf-all","$html-doc","revealjs"],"description":"The title used for the table of contents."},"documentation":"Setting this to false prevents this document from being included in\nsearches.","$id":"quarto-resource-document-toc-toc-title"},"quarto-resource-document-toc-toc-expand":{"_internalId":5341,"type":"anyOf","anyOf":[{"type":"number","description":"be a number"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a number, `true` or `false`","tags":{"formats":["$html-doc"],"description":"Specifies the depth of items in the table of contents that should be displayed as expanded in HTML output. Use `true` to expand all or `false` to collapse all.\n"},"documentation":"Setting this to false prevents the repo-actions from\nappearing on this page. Other possible values are none or\none or more of edit, source, and\nissue, e.g.\n[edit, source, issue].","$id":"quarto-resource-document-toc-toc-expand"},"quarto-resource-document-toc-lof":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Print a list of figures in the document."},"documentation":"Links to source repository actions","$id":"quarto-resource-document-toc-lof"},"quarto-resource-document-toc-lot":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$pdf-all"],"description":"Print a list of tables in the document."},"documentation":"Links to source repository actions","$id":"quarto-resource-document-toc-lot"},"quarto-resource-document-website-search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":"Setting this to false prevents this document from being included in searches."},"documentation":"URLs that alias this document, when included in a website.","$id":"quarto-resource-document-website-search"},"quarto-resource-document-website-repo-actions":{"_internalId":5359,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5358,"type":"anyOf","anyOf":[{"_internalId":5356,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"The width of the preview image for this document."},{"_internalId":5357,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":5356,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"The width of the preview image for this document."}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"formats":["$html-doc"],"description":"Setting this to false prevents the `repo-actions` from appearing on this page.\nOther possible values are `none` or one or more of `edit`, `source`, and `issue`, *e.g.* `[edit, source, issue]`.\n"},"documentation":"The path to a preview image for this document.","$id":"quarto-resource-document-website-repo-actions"},"quarto-resource-document-website-aliases":{"_internalId":5364,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"formats":["$html-doc"],"description":"URLs that alias this document, when included in a website."},"documentation":"The alt text for preview image on this page.","$id":"quarto-resource-document-website-aliases"},"quarto-resource-document-website-image":{"_internalId":5371,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"formats":["$html-doc"],"description":{"short":"The path to a preview image for this document.","long":"The path to a preview image for this content. By default, \nQuarto will use the image value from the site: metadata. \nIf you provide an image, you may also optionally provide \nan image-width and image-height to improve \nthe appearance of your Twitter Card.\n\nIf image is not provided, Quarto will automatically attempt \nto locate a preview image.\n"}},"documentation":"If true, the preview image will only load when it comes into\nview.","$id":"quarto-resource-document-website-image"},"quarto-resource-document-website-image-height":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The height of the preview image for this document."},"documentation":"Project configuration.","$id":"quarto-resource-document-website-image-height"},"quarto-resource-document-website-image-width":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The width of the preview image for this document."},"documentation":"Project type (default, website,\nbook, or manuscript)","$id":"quarto-resource-document-website-image-width"},"quarto-resource-document-website-image-alt":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The alt text for preview image on this page."},"documentation":"Files to render (defaults to all files)","$id":"quarto-resource-document-website-image-alt"},"quarto-resource-document-website-image-lazy-loading":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"formats":["$html-doc"],"description":{"short":"If true, the preview image will only load when it comes into view.","long":"Enables lazy loading for the preview image. If true, the preview image element \nwill have `loading=\"lazy\"`, and will only load when it comes into view.\n\nIf false, the preview image will load immediately.\n"}},"documentation":"Working directory for computations","$id":"quarto-resource-document-website-image-lazy-loading"},"quarto-resource-project-project":{"_internalId":5444,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string"},"type":{"type":"string","description":"be a string","completions":["default","website","book","manuscript"],"tags":{"description":"Project type (`default`, `website`, `book`, or `manuscript`)"},"documentation":"HTML library (JS/CSS/etc.) directory"},"render":{"_internalId":5392,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Files to render (defaults to all files)"},"documentation":"Additional file resources to be copied to output directory"},"execute-dir":{"_internalId":5395,"type":"enum","enum":["file","project"],"description":"be one of: `file`, `project`","completions":["file","project"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Working directory for computations","long":"Control the working directory for computations. \n\n- `file`: Use the directory of the file that is currently executing.\n- `project`: Use the root directory of the project.\n"}},"documentation":"Additional file resources to be copied to output directory"},"output-dir":{"type":"string","description":"be a string","tags":{"description":"Output directory"},"documentation":"Path to brand.yml or object with light and dark paths to\nbrand.yml"},"lib-dir":{"type":"string","description":"be a string","tags":{"description":"HTML library (JS/CSS/etc.) directory"},"documentation":"Options for quarto preview"},"resources":{"_internalId":5407,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Scripts to run as a post-render step"},{"_internalId":5406,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Scripts to run as a post-render step"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"brand":{"_internalId":5412,"type":"ref","$ref":"brand-path-only-light-dark","description":"be brand-path-only-light-dark","tags":{"description":"Path to brand.yml or object with light and dark paths to brand.yml\n"},"documentation":"Array of paths used to detect the project type within a directory"},"preview":{"_internalId":5417,"type":"ref","$ref":"project-preview","description":"be project-preview","tags":{"description":"Options for `quarto preview`"},"documentation":"Website configuration."},"pre-render":{"_internalId":5425,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":5424,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a pre-render step"},"documentation":"Book configuration."},"post-render":{"_internalId":5433,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":5432,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a post-render step"},"documentation":"Book title"},"detect":{"_internalId":5443,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":5442,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},"completions":[],"tags":{"hidden":true,"description":"Array of paths used to detect the project type within a directory"},"documentation":"Description metadata for HTML version of book"}},"patternProperties":{},"closed":true,"documentation":"Output directory","tags":{"description":"Project configuration."},"$id":"quarto-resource-project-project"},"quarto-resource-project-website":{"_internalId":5447,"type":"ref","$ref":"base-website","description":"be base-website","documentation":"The path to the favicon for this website","tags":{"description":"Website configuration."},"$id":"quarto-resource-project-website"},"quarto-resource-project-book":{"_internalId":1694,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Book title"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"description":{"type":"string","description":"be a string","tags":{"description":"Description metadata for HTML version of book"},"documentation":"Base URL for website source code repository"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The value of the target attribute for repo links"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"The value of the rel attribute for repo links"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Subdirectory of repository containing website"},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Branch of website source code (defaults to main)"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"Links to source repository actions"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Links to source repository actions"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"Enable Google Analytics for this website"},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Anonymize the user ip address."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Path to a file containing the Plausible Analytics script snippet"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Provides an announcement displayed at the top of the page."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The content of the announcement"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"The version number of Google Analytics to use."},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"The icon to display in the announcement"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Whether this announcement may be dismissed by the user."},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Request cookie consent before enabling scripts that set cookies"},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The type of consent that should be requested"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The style of the consent banner that is displayed"},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"The position of the announcement."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Provide full text search for website"},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"Location for search widget (navbar or\nsidebar)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"Type of search UI (overlay or textbox)"},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"Number of matches to display (defaults to 20)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"The url to the website’s cookie or privacy policy."},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Provide button for copying search link"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"Use external Algolia search index"},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"The Search-Only API key to use to connect to Algolia"},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"Field that contains the URL of index entries"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"Field that contains the title of index entries"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Field that contains the text of index entries"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Field that contains the section of index entries"},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Additional parameters to pass when executing a search"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Top navigation options"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"The navbar title. Uses the project title if none is specified."},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Specification of image that will be displayed to the left of the\ntitle."}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Alternate text for the logo image."}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Enable tracking of Algolia analytics events"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Matches after which to collapse additional results"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar’s background color (named or hex color)."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"The navbar’s foreground color (named or hex color)."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Include a search box in the navbar."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Always show the navbar (keeping it pinned)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"List of items for the left side of the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"List of items for the right side of the navbar."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"Side navigation options"},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"The identifier for this sidebar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The sidebar title. Uses the project title if none is specified."},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Specification of image that will be displayed in the sidebar."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Alternate text for the logo image."},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Provide next and previous article links in footer"},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Provide a ‘back to top’ navigation button"},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Shared page footer"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Publish open graph metadata"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Publish twitter card metadata"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"A list of other links to appear below the TOC."},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"A list of code links to appear with this document."},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"A list of input documents that should be treated as drafts"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"How to handle drafts that are encountered."},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"Book subtitle"},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"Author or authors of the book"},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"Author or authors of the book"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"Book publication date"},"subtitle":{"type":"string","description":"be a string","tags":{"description":"Book subtitle"},"documentation":"Format string for dates in the book"},"author":{"_internalId":912,"type":"anyOf","anyOf":[{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Book part and chapter files"},{"_internalId":911,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Book part and chapter files"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string","tags":{"description":"Book publication date"},"documentation":"Book appendix files"},"date-format":{"type":"string","description":"be a string","tags":{"description":"Format string for dates in the book"},"documentation":"Book references file"},"abstract":{"type":"string","description":"be a string","tags":{"description":"Book abstract"},"documentation":"Base name for single-file output (e.g. PDF, ePub, docx)"},"chapters":{"_internalId":925,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book part and chapter files"},"documentation":"Cover image (used in HTML and ePub formats)"},"appendices":{"_internalId":930,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book appendix files"},"documentation":"Alternative text for cover image (used in HTML format)"},"references":{"type":"string","description":"be a string","tags":{"description":"Book references file"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},"output-file":{"type":"string","description":"be a string","tags":{"description":"Base name for single-file output (e.g. PDF, ePub, docx)"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},"cover-image":{"type":"string","description":"be a string","tags":{"description":"Cover image (used in HTML and ePub formats)"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},"cover-image-alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for cover image (used in HTML format)"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},"sharing":{"_internalId":945,"type":"anyOf","anyOf":[{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"The Digital Object Identifier for this book."},{"_internalId":944,"type":"array","description":"be an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","items":{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"The Digital Object Identifier for this book."}}],"description":"be at least one of: one of: `twitter`, `facebook`, `linkedin`, an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","tags":{"complete-from":["anyOf",0]}},"downloads":{"_internalId":952,"type":"anyOf","anyOf":[{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Date the item has been accessed."},{"_internalId":951,"type":"array","description":"be an array of values, where each element must be one of: `pdf`, `epub`, `docx`","items":{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Date the item has been accessed."}}],"description":"be at least one of: one of: `pdf`, `epub`, `docx`, an array of values, where each element must be one of: `pdf`, `epub`, `docx`","tags":{"complete-from":["anyOf",0]}},"tools":{"_internalId":958,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":957,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Custom tools for navbar or sidebar"},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The Digital Object Identifier for this book."},"documentation":"Archive storing the item"},"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"Collection the item is part of within an archive."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Geographic location of the archive."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Date the item was initially available"},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Call number (to locate the item in a library)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Composer (e.g. of a musical score)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the container holding the item."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Short/abbreviated form of container-title;"},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Director (e.g. of a film).","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"The editor of the item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Combined editor and translator of a work."},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"Date the event related to an item took place."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Executive producer of the item (e.g. of a television series)."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"A url to the full text for this item."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Type, class, or subtype of the item"},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A value which uniquely identifies this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Interviewer (e.g. of an interview)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"id":{"_internalId":1529,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"A value which uniquely identifies this item."},"documentation":"International Standard Serial Number."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Issue number of the item or container holding the item"},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Date the item was issued/published."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"Keyword(s) or tag(s) attached to the item."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"The language of the item (used only for citation of the item)."},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"The license information applicable to an item."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"A cite-specific pinpointer within the item."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"Narrator (e.g. of an audio book)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"Number identifying the item (e.g. a report number)."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Total number of pages of the cited item."},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"The original creator of a work."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Issue date of the original version."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Title of the specific part of an item being cited."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"A url to the pdf for this item."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"PubMed Central reference number."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"PubMed reference number."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"Printing number of the item or container holding the item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"A public url for this item."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"The publisher of the item."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"The geographic location of the publisher."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Recipient (e.g. of a letter)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"Author of the item reviewed by the current item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"Title of the item reviewed by the current item."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Scale of e.g. a map or model."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Creator of a series (e.g. of a television series)."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Short/abbreviated form oftitle."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Translator"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"The type\nof the item."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Version of the item (e.g. “2.0.9” for a software program).","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"Title of the volume of the item or container holding the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Manuscript configuration"},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"internal-schema-hack"},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"When defined, run axe-core accessibility tests on the document."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Book configuration."},"documentation":"Base URL for published website","$id":"quarto-resource-project-book"},"quarto-resource-project-manuscript":{"_internalId":5457,"type":"ref","$ref":"manuscript-schema","description":"be manuscript-schema","documentation":"If set, output axe-core results on console. json:\nproduce structured output; console: print output to\njavascript console; document: produce a visual report of\nviolations in the document itself.","tags":{"description":"Manuscript configuration"},"$id":"quarto-resource-project-manuscript"},"quarto-resource-project-type":{"_internalId":5460,"type":"enum","enum":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"description":"be 'cd93424f-d5ba-4e95-91c6-1890eab59fc7'","completions":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"exhaustiveCompletions":true,"documentation":"The logo image.","tags":{"description":"internal-schema-hack","hidden":true},"$id":"quarto-resource-project-type"},"quarto-resource-project-engines":{"_internalId":5465,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"Project configuration.","tags":{"description":"List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'."},"$id":"quarto-resource-project-engines"},"quarto-resource-document-a11y-axe":{"_internalId":5476,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":5475,"type":"object","description":"be an object","properties":{"output":{"_internalId":5474,"type":"enum","enum":["json","console","document"],"description":"be one of: `json`, `console`, `document`","completions":["json","console","document"],"exhaustiveCompletions":true,"tags":{"description":"If set, output axe-core results on console. `json`: produce structured output; `console`: print output to javascript console; `document`: produce a visual report of violations in the document itself."},"documentation":"Files to render (defaults to all files)"}},"patternProperties":{}}],"description":"be at least one of: `true` or `false`, an object","tags":{"formats":["$html-files"],"description":"When defined, run axe-core accessibility tests on the document."},"documentation":"Project type (default, website,\nbook, or manuscript)","$id":"quarto-resource-document-a11y-axe"},"quarto-resource-document-typst-logo":{"_internalId":5479,"type":"ref","$ref":"logo-light-dark-specifier-path-optional","description":"be logo-light-dark-specifier-path-optional","tags":{"formats":["typst"],"description":"The logo image."},"documentation":"Working directory for computations","$id":"quarto-resource-document-typst-logo"},"front-matter-execute":{"_internalId":5503,"type":"object","description":"be an object","properties":{"eval":{"_internalId":5480,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":5481,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":5482,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":5483,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":5484,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":5485,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"engine":{"_internalId":5486,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":5487,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":5488,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":5489,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":5490,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":5491,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":5492,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":5493,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":5494,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":5495,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":5496,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":5497,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"keep-md":{"_internalId":5498,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":5499,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":5500,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":5501,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":5502,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected","type":"string","pattern":"(?!(^daemon_restart$|^daemonRestart$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"front-matter-execute"},"front-matter-format":{"_internalId":191252,"type":"anyOf","anyOf":[{"_internalId":191248,"type":"anyOf","anyOf":[{"_internalId":191176,"type":"string","pattern":"^(.+-)?ansi([-+].+)?$","description":"be 'ansi'","completions":["ansi"]},{"_internalId":191177,"type":"string","pattern":"^(.+-)?asciidoc([-+].+)?$","description":"be 'asciidoc'","completions":["asciidoc"]},{"_internalId":191178,"type":"string","pattern":"^(.+-)?asciidoc_legacy([-+].+)?$","description":"be 'asciidoc_legacy'","completions":["asciidoc_legacy"]},{"_internalId":191179,"type":"string","pattern":"^(.+-)?asciidoctor([-+].+)?$","description":"be 'asciidoctor'","completions":["asciidoctor"]},{"_internalId":191180,"type":"string","pattern":"^(.+-)?beamer([-+].+)?$","description":"be 'beamer'","completions":["beamer"]},{"_internalId":191181,"type":"string","pattern":"^(.+-)?biblatex([-+].+)?$","description":"be 'biblatex'","completions":["biblatex"]},{"_internalId":191182,"type":"string","pattern":"^(.+-)?bibtex([-+].+)?$","description":"be 'bibtex'","completions":["bibtex"]},{"_internalId":191183,"type":"string","pattern":"^(.+-)?chunkedhtml([-+].+)?$","description":"be 'chunkedhtml'","completions":["chunkedhtml"]},{"_internalId":191184,"type":"string","pattern":"^(.+-)?commonmark([-+].+)?$","description":"be 'commonmark'","completions":["commonmark"]},{"_internalId":191185,"type":"string","pattern":"^(.+-)?commonmark_x([-+].+)?$","description":"be 'commonmark_x'","completions":["commonmark_x"]},{"_internalId":191186,"type":"string","pattern":"^(.+-)?context([-+].+)?$","description":"be 'context'","completions":["context"]},{"_internalId":191187,"type":"string","pattern":"^(.+-)?csljson([-+].+)?$","description":"be 'csljson'","completions":["csljson"]},{"_internalId":191188,"type":"string","pattern":"^(.+-)?djot([-+].+)?$","description":"be 'djot'","completions":["djot"]},{"_internalId":191189,"type":"string","pattern":"^(.+-)?docbook([-+].+)?$","description":"be 'docbook'","completions":["docbook"]},{"_internalId":191190,"type":"string","pattern":"^(.+-)?docbook4([-+].+)?$","description":"be 'docbook4'"},{"_internalId":191191,"type":"string","pattern":"^(.+-)?docbook5([-+].+)?$","description":"be 'docbook5'"},{"_internalId":191192,"type":"string","pattern":"^(.+-)?docx([-+].+)?$","description":"be 'docx'","completions":["docx"]},{"_internalId":191193,"type":"string","pattern":"^(.+-)?dokuwiki([-+].+)?$","description":"be 'dokuwiki'","completions":["dokuwiki"]},{"_internalId":191194,"type":"string","pattern":"^(.+-)?dzslides([-+].+)?$","description":"be 'dzslides'","completions":["dzslides"]},{"_internalId":191195,"type":"string","pattern":"^(.+-)?epub([-+].+)?$","description":"be 'epub'","completions":["epub"]},{"_internalId":191196,"type":"string","pattern":"^(.+-)?epub2([-+].+)?$","description":"be 'epub2'"},{"_internalId":191197,"type":"string","pattern":"^(.+-)?epub3([-+].+)?$","description":"be 'epub3'"},{"_internalId":191198,"type":"string","pattern":"^(.+-)?fb2([-+].+)?$","description":"be 'fb2'","completions":["fb2"]},{"_internalId":191199,"type":"string","pattern":"^(.+-)?gfm([-+].+)?$","description":"be 'gfm'","completions":["gfm"]},{"_internalId":191200,"type":"string","pattern":"^(.+-)?haddock([-+].+)?$","description":"be 'haddock'","completions":["haddock"]},{"_internalId":191201,"type":"string","pattern":"^(.+-)?html([-+].+)?$","description":"be 'html'","completions":["html"]},{"_internalId":191202,"type":"string","pattern":"^(.+-)?html4([-+].+)?$","description":"be 'html4'"},{"_internalId":191203,"type":"string","pattern":"^(.+-)?html5([-+].+)?$","description":"be 'html5'"},{"_internalId":191204,"type":"string","pattern":"^(.+-)?icml([-+].+)?$","description":"be 'icml'","completions":["icml"]},{"_internalId":191205,"type":"string","pattern":"^(.+-)?ipynb([-+].+)?$","description":"be 'ipynb'","completions":["ipynb"]},{"_internalId":191206,"type":"string","pattern":"^(.+-)?jats([-+].+)?$","description":"be 'jats'","completions":["jats"]},{"_internalId":191207,"type":"string","pattern":"^(.+-)?jats_archiving([-+].+)?$","description":"be 'jats_archiving'","completions":["jats_archiving"]},{"_internalId":191208,"type":"string","pattern":"^(.+-)?jats_articleauthoring([-+].+)?$","description":"be 'jats_articleauthoring'","completions":["jats_articleauthoring"]},{"_internalId":191209,"type":"string","pattern":"^(.+-)?jats_publishing([-+].+)?$","description":"be 'jats_publishing'","completions":["jats_publishing"]},{"_internalId":191210,"type":"string","pattern":"^(.+-)?jira([-+].+)?$","description":"be 'jira'","completions":["jira"]},{"_internalId":191211,"type":"string","pattern":"^(.+-)?json([-+].+)?$","description":"be 'json'","completions":["json"]},{"_internalId":191212,"type":"string","pattern":"^(.+-)?latex([-+].+)?$","description":"be 'latex'","completions":["latex"]},{"_internalId":191213,"type":"string","pattern":"^(.+-)?man([-+].+)?$","description":"be 'man'","completions":["man"]},{"_internalId":191214,"type":"string","pattern":"^(.+-)?markdown([-+].+)?$","description":"be 'markdown'","completions":["markdown"]},{"_internalId":191215,"type":"string","pattern":"^(.+-)?markdown_github([-+].+)?$","description":"be 'markdown_github'","completions":["markdown_github"]},{"_internalId":191216,"type":"string","pattern":"^(.+-)?markdown_mmd([-+].+)?$","description":"be 'markdown_mmd'","completions":["markdown_mmd"]},{"_internalId":191217,"type":"string","pattern":"^(.+-)?markdown_phpextra([-+].+)?$","description":"be 'markdown_phpextra'","completions":["markdown_phpextra"]},{"_internalId":191218,"type":"string","pattern":"^(.+-)?markdown_strict([-+].+)?$","description":"be 'markdown_strict'","completions":["markdown_strict"]},{"_internalId":191219,"type":"string","pattern":"^(.+-)?markua([-+].+)?$","description":"be 'markua'","completions":["markua"]},{"_internalId":191220,"type":"string","pattern":"^(.+-)?mediawiki([-+].+)?$","description":"be 'mediawiki'","completions":["mediawiki"]},{"_internalId":191221,"type":"string","pattern":"^(.+-)?ms([-+].+)?$","description":"be 'ms'","completions":["ms"]},{"_internalId":191222,"type":"string","pattern":"^(.+-)?muse([-+].+)?$","description":"be 'muse'","completions":["muse"]},{"_internalId":191223,"type":"string","pattern":"^(.+-)?native([-+].+)?$","description":"be 'native'","completions":["native"]},{"_internalId":191224,"type":"string","pattern":"^(.+-)?odt([-+].+)?$","description":"be 'odt'","completions":["odt"]},{"_internalId":191225,"type":"string","pattern":"^(.+-)?opendocument([-+].+)?$","description":"be 'opendocument'","completions":["opendocument"]},{"_internalId":191226,"type":"string","pattern":"^(.+-)?opml([-+].+)?$","description":"be 'opml'","completions":["opml"]},{"_internalId":191227,"type":"string","pattern":"^(.+-)?org([-+].+)?$","description":"be 'org'","completions":["org"]},{"_internalId":191228,"type":"string","pattern":"^(.+-)?pdf([-+].+)?$","description":"be 'pdf'","completions":["pdf"]},{"_internalId":191229,"type":"string","pattern":"^(.+-)?plain([-+].+)?$","description":"be 'plain'","completions":["plain"]},{"_internalId":191230,"type":"string","pattern":"^(.+-)?pptx([-+].+)?$","description":"be 'pptx'","completions":["pptx"]},{"_internalId":191231,"type":"string","pattern":"^(.+-)?revealjs([-+].+)?$","description":"be 'revealjs'","completions":["revealjs"]},{"_internalId":191232,"type":"string","pattern":"^(.+-)?rst([-+].+)?$","description":"be 'rst'","completions":["rst"]},{"_internalId":191233,"type":"string","pattern":"^(.+-)?rtf([-+].+)?$","description":"be 'rtf'","completions":["rtf"]},{"_internalId":191234,"type":"string","pattern":"^(.+-)?s5([-+].+)?$","description":"be 's5'","completions":["s5"]},{"_internalId":191235,"type":"string","pattern":"^(.+-)?slideous([-+].+)?$","description":"be 'slideous'","completions":["slideous"]},{"_internalId":191236,"type":"string","pattern":"^(.+-)?slidy([-+].+)?$","description":"be 'slidy'","completions":["slidy"]},{"_internalId":191237,"type":"string","pattern":"^(.+-)?tei([-+].+)?$","description":"be 'tei'","completions":["tei"]},{"_internalId":191238,"type":"string","pattern":"^(.+-)?texinfo([-+].+)?$","description":"be 'texinfo'","completions":["texinfo"]},{"_internalId":191239,"type":"string","pattern":"^(.+-)?textile([-+].+)?$","description":"be 'textile'","completions":["textile"]},{"_internalId":191240,"type":"string","pattern":"^(.+-)?typst([-+].+)?$","description":"be 'typst'","completions":["typst"]},{"_internalId":191241,"type":"string","pattern":"^(.+-)?xwiki([-+].+)?$","description":"be 'xwiki'","completions":["xwiki"]},{"_internalId":191242,"type":"string","pattern":"^(.+-)?zimwiki([-+].+)?$","description":"be 'zimwiki'","completions":["zimwiki"]},{"_internalId":191243,"type":"string","pattern":"^(.+-)?md([-+].+)?$","description":"be 'md'","completions":["md"]},{"_internalId":191244,"type":"string","pattern":"^(.+-)?hugo([-+].+)?$","description":"be 'hugo'","completions":["hugo"]},{"_internalId":191245,"type":"string","pattern":"^(.+-)?dashboard([-+].+)?$","description":"be 'dashboard'","completions":["dashboard"]},{"_internalId":191246,"type":"string","pattern":"^(.+-)?email([-+].+)?$","description":"be 'email'","completions":["email"]},{"_internalId":191247,"type":"string","pattern":"^.+.lua$","description":"be a string that satisfies regex \"^.+.lua$\""}],"description":"be the name of a pandoc-supported output format"},{"_internalId":191249,"type":"object","description":"be an object","properties":{},"patternProperties":{},"propertyNames":{"_internalId":191247,"type":"string","pattern":"^.+.lua$","description":"be a string that satisfies regex \"^.+.lua$\""}},{"_internalId":191251,"type":"allOf","allOf":[{"_internalId":191250,"type":"object","description":"be an object","properties":{},"patternProperties":{"^(.+-)?ansi([-+].+)?$":{"_internalId":8102,"type":"anyOf","anyOf":[{"_internalId":8100,"type":"object","description":"be an object","properties":{"eval":{"_internalId":8004,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":8005,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":8006,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":8007,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":8008,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":8009,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":8010,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":8011,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":8012,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":8013,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":8014,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":8015,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":8016,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":8017,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":8018,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":8019,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":8020,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":8021,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":8022,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":8023,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":8024,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":8025,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":8026,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":8027,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":8028,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":8029,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":8030,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":8031,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":8032,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":8033,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":8034,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":8035,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":8036,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":8037,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":8038,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":8038,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":8039,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":8040,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":8041,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":8042,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":8043,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":8044,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":8045,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":8046,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":8047,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":8048,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":8049,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":8050,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":8051,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":8052,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":8053,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":8054,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":8055,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":8056,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":8057,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":8058,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":8059,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":8060,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":8061,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":8062,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":8063,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":8064,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":8065,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":8066,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":8067,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":8068,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":8069,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":8070,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":8071,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":8072,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":8073,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":8074,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":8075,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":8075,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":8076,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":8077,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":8078,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":8079,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":8080,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":8081,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":8082,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":8083,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":8084,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":8085,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":8086,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":8087,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":8088,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":8089,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":8090,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":8091,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":8092,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":8093,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":8094,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":8095,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":8096,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":8097,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":8098,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":8098,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":8099,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":8101,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?asciidoc([-+].+)?$":{"_internalId":10702,"type":"anyOf","anyOf":[{"_internalId":10700,"type":"object","description":"be an object","properties":{"eval":{"_internalId":10602,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":10603,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":10604,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":10605,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":10606,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":10607,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":10608,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":10609,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":10610,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":10611,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":10612,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":10613,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":10614,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":10615,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":10616,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":10617,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":10618,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":10619,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":10620,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":10621,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":10622,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":10623,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":10624,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":10625,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":10626,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":10627,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":10628,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":10629,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":10630,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":10631,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":10632,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":10633,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":10634,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":10635,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":10636,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":10637,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":10637,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":10638,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":10639,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":10640,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":10641,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":10642,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":10643,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":10644,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":10645,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":10646,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":10647,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":10648,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":10649,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":10650,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":10651,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":10652,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":10653,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":10654,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":10655,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":10656,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":10657,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":10658,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":10659,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":10660,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":10661,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":10662,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":10663,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":10664,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":10665,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":10666,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"number-sections":{"_internalId":10667,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":10668,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":10669,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":10670,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":10671,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":10672,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":10673,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":10674,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":10675,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":10675,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":10676,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":10677,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":10678,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":10679,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":10680,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":10681,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":10682,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":10683,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":10684,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":10685,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":10686,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":10687,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":10688,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":10689,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":10690,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":10691,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":10692,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":10693,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":10694,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":10695,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":10696,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":10697,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":10698,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":10698,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":10699,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,abstract,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,keywords,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":10701,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?asciidoc_legacy([-+].+)?$":{"_internalId":13300,"type":"anyOf","anyOf":[{"_internalId":13298,"type":"object","description":"be an object","properties":{"eval":{"_internalId":13202,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":13203,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":13204,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":13205,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":13206,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":13207,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":13208,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":13209,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":13210,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":13211,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":13212,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":13213,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":13214,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":13215,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":13216,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":13217,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":13218,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":13219,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":13220,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":13221,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":13222,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":13223,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":13224,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":13225,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":13226,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":13227,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":13228,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":13229,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":13230,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":13231,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":13232,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":13233,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":13234,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":13235,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":13236,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":13236,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":13237,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":13238,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":13239,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":13240,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":13241,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":13242,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":13243,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":13244,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":13245,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":13246,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":13247,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":13248,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":13249,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":13250,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":13251,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":13252,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":13253,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":13254,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":13255,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":13256,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":13257,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":13258,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":13259,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":13260,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":13261,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":13262,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":13263,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":13264,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":13265,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":13266,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":13267,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":13268,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":13269,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":13270,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":13271,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":13272,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":13273,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":13273,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":13274,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":13275,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":13276,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":13277,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":13278,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":13279,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":13280,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":13281,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":13282,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":13283,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":13284,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":13285,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":13286,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":13287,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":13288,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":13289,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":13290,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":13291,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":13292,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":13293,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":13294,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":13295,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":13296,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":13296,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":13297,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":13299,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?asciidoctor([-+].+)?$":{"_internalId":15900,"type":"anyOf","anyOf":[{"_internalId":15898,"type":"object","description":"be an object","properties":{"eval":{"_internalId":15800,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":15801,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":15802,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":15803,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":15804,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":15805,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":15806,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":15807,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":15808,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":15809,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":15810,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":15811,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":15812,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":15813,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":15814,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":15815,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":15816,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":15817,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":15818,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":15819,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":15820,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":15821,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":15822,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":15823,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":15824,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":15825,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":15826,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":15827,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":15828,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":15829,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":15830,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":15831,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":15832,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":15833,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":15834,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":15835,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":15835,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":15836,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":15837,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":15838,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":15839,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":15840,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":15841,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":15842,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":15843,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":15844,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":15845,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":15846,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":15847,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":15848,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":15849,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":15850,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":15851,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":15852,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":15853,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":15854,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":15855,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":15856,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":15857,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":15858,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":15859,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":15860,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":15861,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":15862,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":15863,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":15864,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"number-sections":{"_internalId":15865,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":15866,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":15867,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":15868,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":15869,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":15870,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":15871,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":15872,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":15873,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":15873,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":15874,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":15875,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":15876,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":15877,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":15878,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":15879,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":15880,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":15881,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":15882,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":15883,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":15884,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":15885,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":15886,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":15887,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":15888,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":15889,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":15890,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":15891,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":15892,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":15893,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":15894,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":15895,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":15896,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":15896,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":15897,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,abstract,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,keywords,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":15899,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?beamer([-+].+)?$":{"_internalId":18602,"type":"anyOf","anyOf":[{"_internalId":18600,"type":"object","description":"be an object","properties":{"eval":{"_internalId":18400,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":18401,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":18402,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":18403,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":18404,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":18405,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":18406,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":18407,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":18408,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":18409,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":18410,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":18411,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":18412,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":18413,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":18414,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":18415,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":18416,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":18417,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":18418,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":18419,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"abstract":{"_internalId":18420,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"thanks":{"_internalId":18421,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":18422,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":18423,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":18424,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-block-border-left":{"_internalId":18425,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":18426,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":18427,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":18428,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":18429,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":18430,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":18431,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"linkcolor":{"_internalId":18432,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"filecolor":{"_internalId":18433,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":18434,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":18435,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":18436,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":18437,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"crossref":{"_internalId":18438,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":18439,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":18440,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":18441,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":18442,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":18443,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":18444,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":18445,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":18446,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":18447,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":18448,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":18449,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":18450,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":18451,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":18452,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":18453,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":18454,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":18455,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":18456,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":18457,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":18458,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":18459,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":18460,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":18461,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":18462,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":18463,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":18464,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":18465,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":18466,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":18467,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":18468,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":18469,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":18470,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"CJKoptions":{"_internalId":18471,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":18472,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"linestretch":{"_internalId":18473,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"links-as-notes":{"_internalId":18474,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"funding":{"_internalId":18475,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":18476,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":18476,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":18477,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":18478,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":18479,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":18480,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":18481,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":18482,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":18483,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":18484,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":18485,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":18486,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":18487,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":18488,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":18489,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":18490,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":18491,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":18492,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":18493,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":18494,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":18495,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":18496,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":18497,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":18498,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":18499,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":18500,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":18501,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":18502,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":18503,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"latex-auto-mk":{"_internalId":18504,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-mk","description":"quarto-resource-document-latexmk-latex-auto-mk"},"latex-auto-install":{"_internalId":18505,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-install","description":"quarto-resource-document-latexmk-latex-auto-install"},"latex-min-runs":{"_internalId":18506,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-min-runs","description":"quarto-resource-document-latexmk-latex-min-runs"},"latex-max-runs":{"_internalId":18507,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-max-runs","description":"quarto-resource-document-latexmk-latex-max-runs"},"latex-clean":{"_internalId":18508,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-clean","description":"quarto-resource-document-latexmk-latex-clean"},"latex-makeindex":{"_internalId":18509,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex","description":"quarto-resource-document-latexmk-latex-makeindex"},"latex-makeindex-opts":{"_internalId":18510,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex-opts","description":"quarto-resource-document-latexmk-latex-makeindex-opts"},"latex-tlmgr-opts":{"_internalId":18511,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tlmgr-opts","description":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"latex-output-dir":{"_internalId":18512,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-output-dir","description":"quarto-resource-document-latexmk-latex-output-dir"},"latex-tinytex":{"_internalId":18513,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tinytex","description":"quarto-resource-document-latexmk-latex-tinytex"},"latex-input-paths":{"_internalId":18514,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-input-paths","description":"quarto-resource-document-latexmk-latex-input-paths"},"documentclass":{"_internalId":18515,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":18516,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":18517,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":18518,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"grid":{"_internalId":18519,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":18520,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":18521,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":18522,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":18523,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":18524,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":18525,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":18526,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":18527,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"keywords":{"_internalId":18528,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":18529,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"title-meta":{"_internalId":18530,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"author-meta":{"_internalId":18531,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":18532,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":18533,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":18534,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":18535,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"shift-heading-level-by":{"_internalId":18536,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":18537,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":18538,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":18539,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"pdf-engine":{"_internalId":18540,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":18541,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":18542,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"beameroption":{"_internalId":18543,"type":"ref","$ref":"quarto-resource-document-options-beameroption","description":"quarto-resource-document-options-beameroption"},"aspectratio":{"_internalId":18544,"type":"ref","$ref":"quarto-resource-document-options-aspectratio","description":"quarto-resource-document-options-aspectratio"},"logo":{"_internalId":18545,"type":"ref","$ref":"quarto-resource-document-options-logo","description":"quarto-resource-document-options-logo"},"titlegraphic":{"_internalId":18546,"type":"ref","$ref":"quarto-resource-document-options-titlegraphic","description":"quarto-resource-document-options-titlegraphic"},"navigation":{"_internalId":18547,"type":"ref","$ref":"quarto-resource-document-options-navigation","description":"quarto-resource-document-options-navigation"},"section-titles":{"_internalId":18548,"type":"ref","$ref":"quarto-resource-document-options-section-titles","description":"quarto-resource-document-options-section-titles"},"colortheme":{"_internalId":18549,"type":"ref","$ref":"quarto-resource-document-options-colortheme","description":"quarto-resource-document-options-colortheme"},"colorthemeoptions":{"_internalId":18550,"type":"ref","$ref":"quarto-resource-document-options-colorthemeoptions","description":"quarto-resource-document-options-colorthemeoptions"},"fonttheme":{"_internalId":18551,"type":"ref","$ref":"quarto-resource-document-options-fonttheme","description":"quarto-resource-document-options-fonttheme"},"fontthemeoptions":{"_internalId":18552,"type":"ref","$ref":"quarto-resource-document-options-fontthemeoptions","description":"quarto-resource-document-options-fontthemeoptions"},"innertheme":{"_internalId":18553,"type":"ref","$ref":"quarto-resource-document-options-innertheme","description":"quarto-resource-document-options-innertheme"},"innerthemeoptions":{"_internalId":18554,"type":"ref","$ref":"quarto-resource-document-options-innerthemeoptions","description":"quarto-resource-document-options-innerthemeoptions"},"outertheme":{"_internalId":18555,"type":"ref","$ref":"quarto-resource-document-options-outertheme","description":"quarto-resource-document-options-outertheme"},"outerthemeoptions":{"_internalId":18556,"type":"ref","$ref":"quarto-resource-document-options-outerthemeoptions","description":"quarto-resource-document-options-outerthemeoptions"},"themeoptions":{"_internalId":18557,"type":"ref","$ref":"quarto-resource-document-options-themeoptions","description":"quarto-resource-document-options-themeoptions"},"quarto-required":{"_internalId":18558,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":18559,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":18560,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"cite-method":{"_internalId":18561,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":18562,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":18563,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":18564,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":18565,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"biblio-title":{"_internalId":18566,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":18567,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":18568,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":18569,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":18570,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":18571,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":18572,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":18572,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":18573,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":18574,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":18575,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":18576,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":18577,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":18578,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":18579,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":18580,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":18581,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":18582,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":18583,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-tex":{"_internalId":18584,"type":"ref","$ref":"quarto-resource-document-render-keep-tex","description":"quarto-resource-document-render-keep-tex"},"extract-media":{"_internalId":18585,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":18586,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":18587,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":18588,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":18589,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":18590,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"use-rsvg-convert":{"_internalId":18591,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"incremental":{"_internalId":18592,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":18593,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":18594,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":18595,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":18596,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":18596,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-title":{"_internalId":18597,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"lof":{"_internalId":18598,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":18599,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,abstract,thanks,order,citation,code-annotations,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,linkcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,CJKoptions,microtypeoptions,linestretch,links-as-notes,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,latex-auto-mk,latex-auto-install,latex-min-runs,latex-max-runs,latex-clean,latex-makeindex,latex-makeindex-opts,latex-tlmgr-opts,latex-output-dir,latex-tinytex,latex-input-paths,documentclass,classoption,pagestyle,papersize,grid,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,keywords,subject,title-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,shift-heading-level-by,top-level-division,brand,theme,pdf-engine,pdf-engine-opt,pdf-engine-opts,beameroption,aspectratio,logo,titlegraphic,navigation,section-titles,colortheme,colorthemeoptions,fonttheme,fontthemeoptions,innertheme,innerthemeoptions,outertheme,outerthemeoptions,themeoptions,quarto-required,bibliography,csl,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-tex,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,use-rsvg-convert,incremental,slide-level,df-print,ascii,toc,table-of-contents,toc-title,lof,lot","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^cjkmainfont$|^cjkmainfont$|^cjkoptions$|^cjkoptions$|^links_as_notes$|^linksAsNotes$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^latex_auto_mk$|^latexAutoMk$|^latex_auto_install$|^latexAutoInstall$|^latex_min_runs$|^latexMinRuns$|^latex_max_runs$|^latexMaxRuns$|^latex_clean$|^latexClean$|^latex_makeindex$|^latexMakeindex$|^latex_makeindex_opts$|^latexMakeindexOpts$|^latex_tlmgr_opts$|^latexTlmgrOpts$|^latex_output_dir$|^latexOutputDir$|^latex_tinytex$|^latexTinytex$|^latex_input_paths$|^latexInputPaths$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^title_meta$|^titleMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^section_titles$|^sectionTitles$|^quarto_required$|^quartoRequired$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_tex$|^keepTex$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":18601,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?biblatex([-+].+)?$":{"_internalId":21200,"type":"anyOf","anyOf":[{"_internalId":21198,"type":"object","description":"be an object","properties":{"eval":{"_internalId":21102,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":21103,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":21104,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":21105,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":21106,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":21107,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":21108,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":21109,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":21110,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":21111,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":21112,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":21113,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":21114,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":21115,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":21116,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":21117,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":21118,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":21119,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":21120,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":21121,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":21122,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":21123,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":21124,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":21125,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":21126,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":21127,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":21128,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":21129,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":21130,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":21131,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":21132,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":21133,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":21134,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":21135,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":21136,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":21136,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":21137,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":21138,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":21139,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":21140,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":21141,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":21142,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":21143,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":21144,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":21145,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":21146,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":21147,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":21148,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":21149,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":21150,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":21151,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":21152,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":21153,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":21154,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":21155,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":21156,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":21157,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":21158,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":21159,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":21160,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":21161,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":21162,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":21163,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":21164,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":21165,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":21166,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":21167,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":21168,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":21169,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":21170,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":21171,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":21172,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":21173,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":21173,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":21174,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":21175,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":21176,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":21177,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":21178,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":21179,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":21180,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":21181,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":21182,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":21183,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":21184,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":21185,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":21186,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":21187,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":21188,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":21189,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":21190,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":21191,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":21192,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":21193,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":21194,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":21195,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":21196,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":21196,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":21197,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":21199,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?bibtex([-+].+)?$":{"_internalId":23798,"type":"anyOf","anyOf":[{"_internalId":23796,"type":"object","description":"be an object","properties":{"eval":{"_internalId":23700,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":23701,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":23702,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":23703,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":23704,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":23705,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":23706,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":23707,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":23708,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":23709,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":23710,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":23711,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":23712,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":23713,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":23714,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":23715,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":23716,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":23717,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":23718,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":23719,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":23720,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":23721,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":23722,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":23723,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":23724,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":23725,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":23726,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":23727,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":23728,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":23729,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":23730,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":23731,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":23732,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":23733,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":23734,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":23734,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":23735,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":23736,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":23737,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":23738,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":23739,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":23740,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":23741,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":23742,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":23743,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":23744,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":23745,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":23746,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":23747,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":23748,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":23749,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":23750,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":23751,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":23752,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":23753,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":23754,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":23755,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":23756,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":23757,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":23758,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":23759,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":23760,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":23761,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":23762,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":23763,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":23764,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":23765,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":23766,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":23767,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":23768,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":23769,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":23770,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":23771,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":23771,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":23772,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":23773,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":23774,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":23775,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":23776,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":23777,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":23778,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":23779,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":23780,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":23781,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":23782,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":23783,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":23784,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":23785,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":23786,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":23787,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":23788,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":23789,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":23790,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":23791,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":23792,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":23793,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":23794,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":23794,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":23795,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":23797,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?chunkedhtml([-+].+)?$":{"_internalId":26397,"type":"anyOf","anyOf":[{"_internalId":26395,"type":"object","description":"be an object","properties":{"eval":{"_internalId":26298,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":26299,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":26300,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":26301,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":26302,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":26303,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":26304,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":26305,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":26306,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":26307,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":26308,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":26309,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":26310,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":26311,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":26312,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":26313,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":26314,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":26315,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":26316,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":26317,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":26318,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":26319,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":26320,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":26321,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":26322,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":26323,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":26324,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":26325,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":26326,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":26327,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":26328,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":26329,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":26330,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"split-level":{"_internalId":26331,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":26332,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":26333,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":26333,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":26334,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":26335,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":26336,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":26337,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":26338,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":26339,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":26340,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":26341,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":26342,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":26343,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":26344,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":26345,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":26346,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":26347,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":26348,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":26349,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":26350,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":26351,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":26352,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":26353,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":26354,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":26355,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":26356,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":26357,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":26358,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":26359,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":26360,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":26361,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":26362,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":26363,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":26364,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":26365,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":26366,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":26367,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":26368,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":26369,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":26370,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":26370,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":26371,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":26372,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":26373,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":26374,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":26375,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":26376,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":26377,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":26378,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":26379,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":26380,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":26381,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":26382,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":26383,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":26384,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":26385,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":26386,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":26387,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":26388,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":26389,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":26390,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":26391,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":26392,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":26393,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":26393,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":26394,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":26396,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?commonmark([-+].+)?$":{"_internalId":29002,"type":"anyOf","anyOf":[{"_internalId":29000,"type":"object","description":"be an object","properties":{"eval":{"_internalId":28897,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":28898,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":28899,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":28900,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":28901,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":28902,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":28903,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":28904,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":28905,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":28906,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":28907,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":28908,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":28909,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":28910,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":28911,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":28912,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":28913,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":28914,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":28915,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":28916,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":28917,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":28918,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":28919,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":28920,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":28921,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":28922,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":28923,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":28924,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":28925,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":28926,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":28927,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":28928,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":28929,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":28930,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":28931,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":28932,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":28932,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":28933,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":28934,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":28935,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":28936,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":28937,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":28938,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":28939,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":28940,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":28941,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":28942,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":28943,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":28944,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":28945,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":28946,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":28947,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":28948,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":28949,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":28950,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":28951,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":28952,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":28953,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":28954,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":28955,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":28956,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":28957,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":28958,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":28959,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":28960,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":28961,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":28962,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":28963,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":28964,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":28965,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":28966,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":28967,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":28968,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":28969,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":28970,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":28971,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":28972,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":28973,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":28973,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":28974,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":28975,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":28976,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":28977,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":28978,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":28979,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":28980,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":28981,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":28982,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":28983,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":28984,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":28985,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":28986,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":28987,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":28988,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":28989,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":28990,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":28991,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":28992,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":28993,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":28994,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":28995,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":28996,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":28997,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":28998,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":28998,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":28999,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":29001,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?commonmark_x([-+].+)?$":{"_internalId":31607,"type":"anyOf","anyOf":[{"_internalId":31605,"type":"object","description":"be an object","properties":{"eval":{"_internalId":31502,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":31503,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":31504,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":31505,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":31506,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":31507,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":31508,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":31509,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":31510,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":31511,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":31512,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":31513,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":31514,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":31515,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":31516,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":31517,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":31518,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":31519,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":31520,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":31521,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":31522,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":31523,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":31524,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":31525,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":31526,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":31527,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":31528,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":31529,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":31530,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":31531,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":31532,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":31533,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":31534,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":31535,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":31536,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":31537,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":31537,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":31538,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":31539,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":31540,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":31541,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":31542,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":31543,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":31544,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":31545,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":31546,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":31547,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":31548,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":31549,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":31550,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":31551,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":31552,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":31553,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":31554,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":31555,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":31556,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":31557,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":31558,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":31559,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":31560,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":31561,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":31562,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":31563,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":31564,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":31565,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":31566,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":31567,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":31568,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":31569,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":31570,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":31571,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":31572,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":31573,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":31574,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":31575,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":31576,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":31577,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":31578,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":31578,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":31579,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":31580,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":31581,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":31582,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":31583,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":31584,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":31585,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":31586,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":31587,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":31588,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":31589,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":31590,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":31591,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":31592,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":31593,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":31594,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":31595,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":31596,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":31597,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":31598,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":31599,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":31600,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":31601,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":31602,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":31603,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":31603,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":31604,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":31606,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?context([-+].+)?$":{"_internalId":34234,"type":"anyOf","anyOf":[{"_internalId":34232,"type":"object","description":"be an object","properties":{"eval":{"_internalId":34107,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":34108,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":34109,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":34110,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":34111,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":34112,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":34113,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":34114,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":34115,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":34116,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":34117,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":34118,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":34119,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":34120,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":34121,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"linkcolor":{"_internalId":34122,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"contrastcolor":{"_internalId":34123,"type":"ref","$ref":"quarto-resource-document-colors-contrastcolor","description":"quarto-resource-document-colors-contrastcolor"},"crossref":{"_internalId":34124,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":34125,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":34126,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":34127,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":34128,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":34129,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":34130,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":34131,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":34132,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":34133,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":34134,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":34135,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":34136,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":34137,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":34138,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":34139,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":34140,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":34141,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":34142,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":34143,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":34144,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":34145,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":34146,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":34147,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"interlinespace":{"_internalId":34148,"type":"ref","$ref":"quarto-resource-document-fonts-interlinespace","description":"quarto-resource-document-fonts-interlinespace"},"linkstyle":{"_internalId":34149,"type":"ref","$ref":"quarto-resource-document-fonts-linkstyle","description":"quarto-resource-document-fonts-linkstyle"},"whitespace":{"_internalId":34150,"type":"ref","$ref":"quarto-resource-document-fonts-whitespace","description":"quarto-resource-document-fonts-whitespace"},"indenting":{"_internalId":34151,"type":"ref","$ref":"quarto-resource-document-formatting-indenting","description":"quarto-resource-document-formatting-indenting"},"funding":{"_internalId":34152,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":34153,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":34153,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":34154,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":34155,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":34156,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":34157,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":34158,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":34159,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":34160,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":34161,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":34162,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":34163,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":34164,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":34165,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":34166,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":34167,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":34168,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":34169,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":34170,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":34171,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":34172,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":34173,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":34174,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":34175,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"headertext":{"_internalId":34176,"type":"ref","$ref":"quarto-resource-document-includes-headertext","description":"quarto-resource-document-includes-headertext"},"footertext":{"_internalId":34177,"type":"ref","$ref":"quarto-resource-document-includes-footertext","description":"quarto-resource-document-includes-footertext"},"includesource":{"_internalId":34178,"type":"ref","$ref":"quarto-resource-document-includes-includesource","description":"quarto-resource-document-includes-includesource"},"metadata-file":{"_internalId":34179,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":34180,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":34181,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":34182,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":34183,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"layout":{"_internalId":34184,"type":"ref","$ref":"quarto-resource-document-layout-layout","description":"quarto-resource-document-layout-layout"},"grid":{"_internalId":34185,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":34186,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":34187,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":34188,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":34189,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"keywords":{"_internalId":34190,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"number-sections":{"_internalId":34191,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":34192,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"pagenumbering":{"_internalId":34193,"type":"ref","$ref":"quarto-resource-document-numbering-pagenumbering","description":"quarto-resource-document-numbering-pagenumbering"},"top-level-division":{"_internalId":34194,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":34195,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":34196,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":34197,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":34198,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"quarto-required":{"_internalId":34199,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"pdfa":{"_internalId":34200,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfa","description":"quarto-resource-document-pdfa-pdfa"},"pdfaiccprofile":{"_internalId":34201,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaiccprofile","description":"quarto-resource-document-pdfa-pdfaiccprofile"},"pdfaintent":{"_internalId":34202,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaintent","description":"quarto-resource-document-pdfa-pdfaintent"},"bibliography":{"_internalId":34203,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":34204,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":34205,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":34206,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":34207,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":34207,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":34208,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":34209,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":34210,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":34211,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":34212,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":34213,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":34214,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":34215,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":34216,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":34217,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":34218,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":34219,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":34220,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":34221,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":34222,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":34223,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":34224,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":34225,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":34226,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":34227,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":34228,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":34229,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":34230,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":34230,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":34231,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,subtitle,date,date-format,author,abstract,order,citation,code-annotations,linkcolor,contrastcolor,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,linestretch,interlinespace,linkstyle,whitespace,indenting,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,headertext,footertext,includesource,metadata-file,metadata-files,lang,language,dir,layout,grid,margin-left,margin-right,margin-top,margin-bottom,keywords,number-sections,shift-heading-level-by,pagenumbering,top-level-division,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,quarto-required,pdfa,pdfaiccprofile,pdfaintent,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":34233,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?csljson([-+].+)?$":{"_internalId":36832,"type":"anyOf","anyOf":[{"_internalId":36830,"type":"object","description":"be an object","properties":{"eval":{"_internalId":36734,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":36735,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":36736,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":36737,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":36738,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":36739,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":36740,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":36741,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":36742,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":36743,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":36744,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":36745,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":36746,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":36747,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":36748,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":36749,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":36750,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":36751,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":36752,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":36753,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":36754,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":36755,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":36756,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":36757,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":36758,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":36759,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":36760,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":36761,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":36762,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":36763,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":36764,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":36765,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":36766,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":36767,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":36768,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":36768,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":36769,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":36770,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":36771,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":36772,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":36773,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":36774,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":36775,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":36776,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":36777,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":36778,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":36779,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":36780,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":36781,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":36782,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":36783,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":36784,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":36785,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":36786,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":36787,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":36788,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":36789,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":36790,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":36791,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":36792,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":36793,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":36794,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":36795,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":36796,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":36797,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":36798,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":36799,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":36800,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":36801,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":36802,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":36803,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":36804,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":36805,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":36805,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":36806,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":36807,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":36808,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":36809,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":36810,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":36811,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":36812,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":36813,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":36814,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":36815,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":36816,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":36817,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":36818,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":36819,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":36820,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":36821,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":36822,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":36823,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":36824,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":36825,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":36826,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":36827,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":36828,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":36828,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":36829,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":36831,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?djot([-+].+)?$":{"_internalId":39430,"type":"anyOf","anyOf":[{"_internalId":39428,"type":"object","description":"be an object","properties":{"eval":{"_internalId":39332,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":39333,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":39334,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":39335,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":39336,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":39337,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":39338,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":39339,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":39340,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":39341,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":39342,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":39343,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":39344,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":39345,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":39346,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":39347,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":39348,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":39349,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":39350,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":39351,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":39352,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":39353,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":39354,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":39355,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":39356,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":39357,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":39358,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":39359,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":39360,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":39361,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":39362,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":39363,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":39364,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":39365,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":39366,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":39366,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":39367,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":39368,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":39369,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":39370,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":39371,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":39372,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":39373,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":39374,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":39375,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":39376,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":39377,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":39378,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":39379,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":39380,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":39381,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":39382,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":39383,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":39384,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":39385,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":39386,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":39387,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":39388,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":39389,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":39390,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":39391,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":39392,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":39393,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":39394,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":39395,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":39396,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":39397,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":39398,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":39399,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":39400,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":39401,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":39402,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":39403,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":39403,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":39404,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":39405,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":39406,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":39407,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":39408,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":39409,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":39410,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":39411,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":39412,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":39413,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":39414,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":39415,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":39416,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":39417,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":39418,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":39419,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":39420,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":39421,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":39422,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":39423,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":39424,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":39425,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":39426,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":39426,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":39427,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":39429,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docbook([-+].+)?$":{"_internalId":42024,"type":"anyOf","anyOf":[{"_internalId":42022,"type":"object","description":"be an object","properties":{"eval":{"_internalId":41930,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":41931,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":41932,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":41933,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":41934,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":41935,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":41936,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":41937,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":41938,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":41939,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":41940,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":41941,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":41942,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":41943,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":41944,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":41945,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":41946,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":41947,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":41948,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":41949,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":41950,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":41951,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":41952,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":41953,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":41954,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":41955,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":41956,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":41957,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":41958,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":41959,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":41960,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":41961,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":41962,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":41963,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":41964,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":41964,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":41965,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":41966,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":41967,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":41968,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":41969,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":41970,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":41971,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":41972,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":41973,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":41974,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":41975,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":41976,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":41977,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":41978,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":41979,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":41980,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":41981,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":41982,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":41983,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":41984,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":41985,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":41986,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":41987,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":41988,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":41989,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":41990,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":41991,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":41992,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":41993,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":41994,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":41995,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":41996,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":41997,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":41998,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":41999,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":42000,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":42001,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":42002,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":42003,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":42003,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":42004,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":42005,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":42006,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":42007,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":42008,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":42009,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":42010,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":42011,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":42012,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":42013,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":42014,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":42015,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":42016,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":42017,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":42018,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":42019,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":42020,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":42021,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":42023,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docbook4([-+].+)?$":{"_internalId":44618,"type":"anyOf","anyOf":[{"_internalId":44616,"type":"object","description":"be an object","properties":{"eval":{"_internalId":44524,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":44525,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":44526,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":44527,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":44528,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":44529,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":44530,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":44531,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":44532,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":44533,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":44534,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":44535,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":44536,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":44537,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":44538,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":44539,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":44540,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":44541,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":44542,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":44543,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":44544,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":44545,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":44546,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":44547,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":44548,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":44549,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":44550,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":44551,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":44552,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":44553,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":44554,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":44555,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":44556,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":44557,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":44558,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":44558,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":44559,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":44560,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":44561,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":44562,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":44563,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":44564,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":44565,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":44566,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":44567,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":44568,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":44569,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":44570,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":44571,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":44572,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":44573,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":44574,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":44575,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":44576,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":44577,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":44578,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":44579,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":44580,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":44581,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":44582,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":44583,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":44584,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":44585,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":44586,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":44587,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":44588,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":44589,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":44590,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":44591,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":44592,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":44593,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":44594,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":44595,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":44596,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":44597,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":44597,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":44598,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":44599,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":44600,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":44601,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":44602,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":44603,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":44604,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":44605,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":44606,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":44607,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":44608,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":44609,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":44610,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":44611,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":44612,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":44613,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":44614,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":44615,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":44617,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docbook5([-+].+)?$":{"_internalId":47212,"type":"anyOf","anyOf":[{"_internalId":47210,"type":"object","description":"be an object","properties":{"eval":{"_internalId":47118,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":47119,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":47120,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":47121,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":47122,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":47123,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":47124,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":47125,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":47126,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":47127,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":47128,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":47129,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":47130,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":47131,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":47132,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":47133,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":47134,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":47135,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":47136,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":47137,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":47138,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":47139,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":47140,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":47141,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":47142,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":47143,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":47144,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":47145,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":47146,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":47147,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":47148,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":47149,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":47150,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":47151,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":47152,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":47152,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":47153,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":47154,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":47155,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":47156,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":47157,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":47158,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":47159,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":47160,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":47161,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":47162,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":47163,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":47164,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":47165,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":47166,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":47167,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":47168,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":47169,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":47170,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":47171,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":47172,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":47173,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":47174,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":47175,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":47176,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":47177,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":47178,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":47179,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":47180,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":47181,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":47182,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":47183,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":47184,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":47185,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":47186,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":47187,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":47188,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":47189,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":47190,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":47191,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":47191,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":47192,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":47193,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":47194,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":47195,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":47196,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":47197,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":47198,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":47199,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":47200,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":47201,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":47202,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":47203,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":47204,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":47205,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":47206,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":47207,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":47208,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":47209,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":47211,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?docx([-+].+)?$":{"_internalId":49818,"type":"anyOf","anyOf":[{"_internalId":49816,"type":"object","description":"be an object","properties":{"eval":{"_internalId":49712,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":49713,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":49714,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":49715,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":49716,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":49717,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":49718,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":49719,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":49720,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":49721,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":49722,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":49723,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":49724,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":49725,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":49726,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":49727,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":49728,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":49729,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":49730,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":49731,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":49732,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":49733,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":49734,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":49735,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":49736,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":49737,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":49738,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":49739,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":49740,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":49741,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":49742,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":49743,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":49744,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":49745,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":49746,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":49747,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":49748,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":49749,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":49750,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":49751,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":49752,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":49753,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":49754,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":49754,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":49755,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":49756,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":49757,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":49758,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":49759,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":49760,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":49761,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":49762,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":49763,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":49764,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":49765,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":49766,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":49767,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":49768,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"track-changes":{"_internalId":49769,"type":"ref","$ref":"quarto-resource-document-hidden-track-changes","description":"quarto-resource-document-hidden-track-changes"},"output-divs":{"_internalId":49770,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":49771,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":49772,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":49773,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":49774,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":49775,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":49776,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"page-width":{"_internalId":49777,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":49778,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":49779,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":49780,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"description":{"_internalId":49781,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"category":{"_internalId":49782,"type":"ref","$ref":"quarto-resource-document-metadata-category","description":"quarto-resource-document-metadata-category"},"number-sections":{"_internalId":49783,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":49784,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"shift-heading-level-by":{"_internalId":49785,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"reference-doc":{"_internalId":49786,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":49787,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":49788,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":49789,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":49790,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":49791,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":49792,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":49793,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":49794,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":49795,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":49796,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":49796,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":49797,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":49798,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"filters":{"_internalId":49799,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":49800,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":49801,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":49802,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":49803,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":49804,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":49805,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":49806,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":49807,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":49808,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":49809,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":49810,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":49811,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":49812,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":49813,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":49813,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":49814,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":49815,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,track-changes,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,page-width,grid,keywords,subject,description,category,number-sections,number-depth,shift-heading-level-by,reference-doc,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^track_changes$|^trackChanges$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_width$|^pageWidth$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^reference_doc$|^referenceDoc$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":49817,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?dokuwiki([-+].+)?$":{"_internalId":52416,"type":"anyOf","anyOf":[{"_internalId":52414,"type":"object","description":"be an object","properties":{"eval":{"_internalId":52318,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":52319,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":52320,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":52321,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":52322,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":52323,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":52324,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":52325,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":52326,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":52327,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":52328,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":52329,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":52330,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":52331,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":52332,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":52333,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":52334,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":52335,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":52336,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":52337,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":52338,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":52339,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":52340,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":52341,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":52342,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":52343,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":52344,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":52345,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":52346,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":52347,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":52348,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":52349,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":52350,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":52351,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":52352,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":52352,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":52353,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":52354,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":52355,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":52356,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":52357,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":52358,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":52359,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":52360,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":52361,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":52362,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":52363,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":52364,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":52365,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":52366,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":52367,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":52368,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":52369,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":52370,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":52371,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":52372,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":52373,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":52374,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":52375,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":52376,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":52377,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":52378,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":52379,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":52380,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":52381,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":52382,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":52383,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":52384,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":52385,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":52386,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":52387,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":52388,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":52389,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":52389,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":52390,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":52391,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":52392,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":52393,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":52394,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":52395,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":52396,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":52397,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":52398,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":52399,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":52400,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":52401,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":52402,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":52403,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":52404,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":52405,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":52406,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":52407,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":52408,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":52409,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":52410,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":52411,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":52412,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":52412,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":52413,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":52415,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?dzslides([-+].+)?$":{"_internalId":55064,"type":"anyOf","anyOf":[{"_internalId":55062,"type":"object","description":"be an object","properties":{"eval":{"_internalId":54916,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":54917,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":54918,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":54919,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":54920,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":54921,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":54922,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":54923,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":54924,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":54925,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":54926,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":54927,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":54928,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":54929,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":54930,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":54931,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":54932,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":54933,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":54934,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":54935,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":54936,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":54937,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":54938,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":54939,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":54940,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":54941,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":54942,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":54943,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":54944,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":54945,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":54946,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":54947,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":54948,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":54949,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":54950,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":54951,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":54952,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":54953,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":54954,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":54955,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":54956,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":54957,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":54958,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":54959,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":54960,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":54961,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":54962,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":54963,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":54964,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":54965,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":54966,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":54967,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":54968,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":54969,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":54970,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":54971,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":54972,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":54973,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":54973,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":54974,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":54975,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":54976,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":54977,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":54978,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":54979,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":54980,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":54981,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":54982,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":54983,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":54984,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":54985,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":54986,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":54987,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":54988,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":54989,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":54990,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":54991,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":54992,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":54993,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":54994,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":54995,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":54996,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":54997,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":54998,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":54999,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":55000,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":55001,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":55002,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":55003,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":55004,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":55005,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":55006,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":55007,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":55008,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"mermaid":{"_internalId":55009,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":55010,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":55011,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":55012,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":55013,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":55014,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":55015,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":55016,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":55017,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":55018,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":55019,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":55020,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":55021,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":55022,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":55023,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":55024,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":55025,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":55026,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":55027,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":55028,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":55029,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":55030,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":55031,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":55032,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":55033,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":55033,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":55034,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":55035,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":55036,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":55037,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":55038,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":55039,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":55040,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":55041,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":55042,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":55043,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":55044,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":55045,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":55046,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":55047,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":55048,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":55049,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":55050,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":55051,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":55052,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":55053,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":55054,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":55055,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":55056,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":55057,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":55058,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":55059,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":55059,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":55060,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":55061,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":55063,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?epub([-+].+)?$":{"_internalId":57702,"type":"anyOf","anyOf":[{"_internalId":57700,"type":"object","description":"be an object","properties":{"eval":{"_internalId":57564,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":57565,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":57566,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":57567,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":57568,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":57569,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":57570,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"tbl-colwidths":{"_internalId":57571,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":57572,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":57573,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":57574,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":57575,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":57576,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":57577,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":57578,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":57579,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":57580,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":57581,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":57582,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":57583,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":57584,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":57585,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-annotations":{"_internalId":57586,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":57587,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":57588,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":57589,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":57590,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":57591,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":57592,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":57593,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":57594,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":57595,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":57596,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":57597,"type":"ref","$ref":"quarto-resource-document-epub-subject","description":"quarto-resource-document-epub-subject"},"type":{"_internalId":57598,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"format":{"_internalId":57599,"type":"ref","$ref":"quarto-resource-document-epub-format","description":"quarto-resource-document-epub-format"},"relation":{"_internalId":57600,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":57601,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":57602,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":57603,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":57604,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":57605,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":57606,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":57607,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":57608,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":57609,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":57610,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":57611,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":57612,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":57613,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":57614,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":57615,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":57616,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":57617,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":57618,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":57619,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":57620,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":57621,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":57622,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":57623,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":57624,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":57625,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":57626,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":57627,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":57628,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":57629,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":57630,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"split-level":{"_internalId":57631,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":57632,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":57633,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":57633,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":57634,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":57635,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":57636,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":57637,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":57638,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":57639,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":57640,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":57641,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":57642,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":57643,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":57644,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":57645,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":57646,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":57647,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":57648,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":57649,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":57650,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":57651,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":57652,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":57653,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":57654,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":57655,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":57656,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":57657,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":57658,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":57659,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":57660,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":57661,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":57662,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"date-meta":{"_internalId":57663,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":57664,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":57665,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":57666,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":57667,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":57668,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"css":{"_internalId":57669,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"html-math-method":{"_internalId":57670,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"html-q-tags":{"_internalId":57671,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":57672,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":57673,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":57674,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":57675,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":57676,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":57677,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":57677,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":57678,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":57679,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":57680,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":57681,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":57682,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":57683,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":57684,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":57685,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":57686,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":57687,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":57688,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":57689,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":57690,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":57691,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":57692,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":57693,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":57694,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":57695,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":57696,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":57697,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":57697,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":57698,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":57699,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-copy,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,identifier,creator,contributor,subject,type,format,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,grid,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,brand,css,html-math-method,html-q-tags,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,ascii,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":57701,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?epub2([-+].+)?$":{"_internalId":60340,"type":"anyOf","anyOf":[{"_internalId":60338,"type":"object","description":"be an object","properties":{"eval":{"_internalId":60202,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":60203,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":60204,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":60205,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":60206,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":60207,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":60208,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"tbl-colwidths":{"_internalId":60209,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":60210,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":60211,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":60212,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":60213,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":60214,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":60215,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":60216,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":60217,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":60218,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":60219,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":60220,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":60221,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":60222,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":60223,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-annotations":{"_internalId":60224,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":60225,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":60226,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":60227,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":60228,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":60229,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":60230,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":60231,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":60232,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":60233,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":60234,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":60235,"type":"ref","$ref":"quarto-resource-document-epub-subject","description":"quarto-resource-document-epub-subject"},"type":{"_internalId":60236,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"format":{"_internalId":60237,"type":"ref","$ref":"quarto-resource-document-epub-format","description":"quarto-resource-document-epub-format"},"relation":{"_internalId":60238,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":60239,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":60240,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":60241,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":60242,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":60243,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":60244,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":60245,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":60246,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":60247,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":60248,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":60249,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":60250,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":60251,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":60252,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":60253,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":60254,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":60255,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":60256,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":60257,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":60258,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":60259,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":60260,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":60261,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":60262,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":60263,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":60264,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":60265,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":60266,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":60267,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":60268,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"split-level":{"_internalId":60269,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":60270,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":60271,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":60271,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":60272,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":60273,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":60274,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":60275,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":60276,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":60277,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":60278,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":60279,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":60280,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":60281,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":60282,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":60283,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":60284,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":60285,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":60286,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":60287,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":60288,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":60289,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":60290,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":60291,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":60292,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":60293,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":60294,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":60295,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":60296,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":60297,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":60298,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":60299,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":60300,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"date-meta":{"_internalId":60301,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":60302,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":60303,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":60304,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":60305,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":60306,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"css":{"_internalId":60307,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"html-math-method":{"_internalId":60308,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"html-q-tags":{"_internalId":60309,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":60310,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":60311,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":60312,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":60313,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":60314,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":60315,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":60315,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":60316,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":60317,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":60318,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":60319,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":60320,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":60321,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":60322,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":60323,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":60324,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":60325,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":60326,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":60327,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":60328,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":60329,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":60330,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":60331,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":60332,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":60333,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":60334,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":60335,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":60335,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":60336,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":60337,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-copy,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,identifier,creator,contributor,subject,type,format,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,grid,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,brand,css,html-math-method,html-q-tags,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,ascii,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":60339,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?epub3([-+].+)?$":{"_internalId":62978,"type":"anyOf","anyOf":[{"_internalId":62976,"type":"object","description":"be an object","properties":{"eval":{"_internalId":62840,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":62841,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":62842,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":62843,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":62844,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":62845,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":62846,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"tbl-colwidths":{"_internalId":62847,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":62848,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":62849,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":62850,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":62851,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":62852,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":62853,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":62854,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":62855,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":62856,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":62857,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":62858,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":62859,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":62860,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":62861,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-annotations":{"_internalId":62862,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":62863,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":62864,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":62865,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":62866,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":62867,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":62868,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":62869,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":62870,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":62871,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":62872,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":62873,"type":"ref","$ref":"quarto-resource-document-epub-subject","description":"quarto-resource-document-epub-subject"},"type":{"_internalId":62874,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"format":{"_internalId":62875,"type":"ref","$ref":"quarto-resource-document-epub-format","description":"quarto-resource-document-epub-format"},"relation":{"_internalId":62876,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":62877,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":62878,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":62879,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":62880,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":62881,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":62882,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":62883,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":62884,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":62885,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":62886,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":62887,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":62888,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":62889,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":62890,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":62891,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":62892,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":62893,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":62894,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":62895,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":62896,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":62897,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":62898,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":62899,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":62900,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":62901,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":62902,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":62903,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":62904,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":62905,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":62906,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"split-level":{"_internalId":62907,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":62908,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":62909,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":62909,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":62910,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":62911,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":62912,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":62913,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":62914,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":62915,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":62916,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":62917,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":62918,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":62919,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":62920,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":62921,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":62922,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":62923,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":62924,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":62925,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":62926,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":62927,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":62928,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":62929,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":62930,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":62931,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":62932,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":62933,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":62934,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":62935,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":62936,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":62937,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":62938,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"date-meta":{"_internalId":62939,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":62940,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":62941,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":62942,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":62943,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":62944,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"css":{"_internalId":62945,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"html-math-method":{"_internalId":62946,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"html-q-tags":{"_internalId":62947,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":62948,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":62949,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":62950,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":62951,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":62952,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":62953,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":62953,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":62954,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":62955,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":62956,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":62957,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":62958,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":62959,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":62960,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":62961,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":62962,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":62963,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":62964,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":62965,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":62966,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":62967,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":62968,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":62969,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":62970,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":62971,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":62972,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":62973,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":62973,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":62974,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":62975,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,abstract-title,order,citation,code-copy,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,identifier,creator,contributor,subject,type,format,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,grid,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,brand,css,html-math-method,html-q-tags,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,ascii,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":62977,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?fb2([-+].+)?$":{"_internalId":65576,"type":"anyOf","anyOf":[{"_internalId":65574,"type":"object","description":"be an object","properties":{"eval":{"_internalId":65478,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":65479,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":65480,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":65481,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":65482,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":65483,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":65484,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":65485,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":65486,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":65487,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":65488,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":65489,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":65490,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":65491,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":65492,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":65493,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":65494,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":65495,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":65496,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":65497,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":65498,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":65499,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":65500,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":65501,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":65502,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":65503,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":65504,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":65505,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":65506,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":65507,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":65508,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":65509,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":65510,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":65511,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":65512,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":65512,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":65513,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":65514,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":65515,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":65516,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":65517,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":65518,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":65519,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":65520,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":65521,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":65522,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":65523,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":65524,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":65525,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":65526,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":65527,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":65528,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":65529,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":65530,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":65531,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":65532,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":65533,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":65534,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":65535,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":65536,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":65537,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":65538,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":65539,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":65540,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":65541,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":65542,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":65543,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":65544,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":65545,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":65546,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":65547,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":65548,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":65549,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":65549,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":65550,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":65551,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":65552,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":65553,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":65554,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":65555,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":65556,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":65557,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":65558,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":65559,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":65560,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":65561,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":65562,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":65563,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":65564,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":65565,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":65566,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":65567,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":65568,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":65569,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":65570,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":65571,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":65572,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":65572,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":65573,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":65575,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?gfm([-+].+)?$":{"_internalId":68183,"type":"anyOf","anyOf":[{"_internalId":68181,"type":"object","description":"be an object","properties":{"eval":{"_internalId":68076,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":68077,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":68078,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":68079,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":68080,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":68081,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":68082,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":68083,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":68084,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":68085,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":68086,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":68087,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":68088,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":68089,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":68090,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":68091,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":68092,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":68093,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":68094,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":68095,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":68096,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":68097,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":68098,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":68099,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":68100,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":68101,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":68102,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":68103,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":68104,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":68105,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":68106,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":68107,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":68108,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":68109,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":68110,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":68111,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":68111,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":68112,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":68113,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":68114,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":68115,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":68116,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":68117,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":68118,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":68119,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":68120,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":68121,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":68122,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":68123,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":68124,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":68125,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":68126,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":68127,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":68128,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":68129,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":68130,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":68131,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":68132,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":68133,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":68134,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":68135,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":68136,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":68137,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":68138,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":68139,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":68140,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":68141,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":68142,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":68143,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"html-math-method":{"_internalId":68144,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"identifier-prefix":{"_internalId":68145,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":68146,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":68147,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":68148,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":68149,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":68150,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":68151,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":68152,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":68153,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":68154,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":68154,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":68155,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":68156,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":68157,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":68158,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":68159,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":68160,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":68161,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":68162,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":68163,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":68164,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":68165,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":68166,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":68167,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":68168,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":68169,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":68170,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":68171,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":68172,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":68173,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":68174,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":68175,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":68176,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":68177,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":68178,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":68179,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":68179,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":68180,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,html-math-method,identifier-prefix,variant,markdown-headings,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^html_math_method$|^htmlMathMethod$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":68182,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?haddock([-+].+)?$":{"_internalId":70782,"type":"anyOf","anyOf":[{"_internalId":70780,"type":"object","description":"be an object","properties":{"eval":{"_internalId":70683,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":70684,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":70685,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":70686,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":70687,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":70688,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":70689,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":70690,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":70691,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":70692,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":70693,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":70694,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":70695,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":70696,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":70697,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":70698,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":70699,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":70700,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":70701,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":70702,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":70703,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":70704,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":70705,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":70706,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":70707,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":70708,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":70709,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":70710,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":70711,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":70712,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":70713,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":70714,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":70715,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":70716,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":70717,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":70717,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":70718,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":70719,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":70720,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":70721,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":70722,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":70723,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":70724,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":70725,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":70726,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":70727,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":70728,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":70729,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":70730,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":70731,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":70732,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":70733,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":70734,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":70735,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":70736,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":70737,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":70738,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":70739,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":70740,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":70741,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":70742,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":70743,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":70744,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":70745,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":70746,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":70747,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":70748,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":70749,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"quarto-required":{"_internalId":70750,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":70751,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":70752,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":70753,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":70754,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":70755,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":70755,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":70756,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":70757,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":70758,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":70759,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":70760,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":70761,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":70762,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":70763,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":70764,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":70765,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":70766,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":70767,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":70768,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":70769,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":70770,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":70771,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":70772,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":70773,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":70774,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":70775,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":70776,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":70777,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":70778,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":70778,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":70779,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":70781,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?html([-+].+)?$":{"_internalId":73487,"type":"anyOf","anyOf":[{"_internalId":73485,"type":"object","description":"be an object","properties":{"eval":{"_internalId":73282,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":73283,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":73284,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":73285,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":73286,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":73287,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":73288,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":73289,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":73290,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":73291,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":73292,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":73293,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":73294,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":73295,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":73296,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":73297,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":73298,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":73299,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":73300,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":73301,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":73302,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":73303,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":73304,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":73305,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"doi":{"_internalId":73306,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"order":{"_internalId":73307,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":73308,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":73309,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":73310,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":73311,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":73312,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":73313,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":73314,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":73315,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":73316,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":73317,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":73318,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":73319,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":73320,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":73321,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":73322,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"comments":{"_internalId":73323,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":73324,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":73325,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":73326,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":73327,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":73328,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":73329,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":73330,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":73331,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":73332,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":73333,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":73334,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":73335,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":73336,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":73337,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":73338,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":73339,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":73340,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":73341,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":73342,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":73343,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":73344,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":73345,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":73346,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":73347,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":73348,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":73349,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"footnotes-hover":{"_internalId":73350,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":73351,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":73352,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":73353,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":73353,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":73354,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":73355,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":73356,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":73357,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":73358,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":73359,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":73360,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":73361,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":73362,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":73363,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":73364,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":73365,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":73366,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":73367,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"keep-source":{"_internalId":73368,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":73369,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"output-divs":{"_internalId":73370,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":73371,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":73372,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":73373,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":73374,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":73375,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":73376,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":73377,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":73378,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":73379,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":73380,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":73381,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":73382,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":73383,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":73384,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"page-layout":{"_internalId":73385,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"grid":{"_internalId":73386,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":73387,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":73388,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":73389,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":73390,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":73391,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":73392,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":73393,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":73394,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":73395,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":73396,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":73397,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"lightbox":{"_internalId":73398,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":73399,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":73400,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":73401,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":73402,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":73403,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":73404,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":73405,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-view":{"_internalId":73406,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":73407,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":73408,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":73409,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":73410,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":73411,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":73412,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"copyright":{"_internalId":73413,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"license":{"_internalId":73414,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"pagetitle":{"_internalId":73415,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":73416,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":73417,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":73418,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":73419,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":73420,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":73421,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":73422,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":73423,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":73424,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":73425,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":73426,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":73427,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":73428,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":73429,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":73430,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":73431,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":73432,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":73433,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":73434,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":73435,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":73436,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":73437,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":73438,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":73439,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":73440,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":73441,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":73442,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":73443,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":73444,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"citeproc":{"_internalId":73445,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":73446,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":73447,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":73447,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":73448,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":73449,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":73450,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":73451,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":73452,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":73453,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":73454,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":73455,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":73456,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":73457,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":73458,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":73459,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":73460,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":73461,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":73462,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":73463,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":73464,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":73465,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":73466,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":73467,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":73468,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":73469,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":73470,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":73471,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":73471,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":73472,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":73473,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":73474,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":73475,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"search":{"_internalId":73476,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":73477,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":73478,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":73479,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":73480,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":73481,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":73482,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":73483,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":73484,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,abstract,abstract-title,doi,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,linestretch,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,keep-source,keep-hidden,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,page-layout,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,copyright,license,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citation-location,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-location,toc-title,toc-expand,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_layout$|^pageLayout$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":73486,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?html4([-+].+)?$":{"_internalId":76192,"type":"anyOf","anyOf":[{"_internalId":76190,"type":"object","description":"be an object","properties":{"eval":{"_internalId":75987,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":75988,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":75989,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":75990,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":75991,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":75992,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":75993,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":75994,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":75995,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":75996,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":75997,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":75998,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":75999,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":76000,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":76001,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":76002,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":76003,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":76004,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":76005,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":76006,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":76007,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":76008,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":76009,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":76010,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"doi":{"_internalId":76011,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"order":{"_internalId":76012,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":76013,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":76014,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":76015,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":76016,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":76017,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":76018,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":76019,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":76020,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":76021,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":76022,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":76023,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":76024,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":76025,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":76026,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":76027,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"comments":{"_internalId":76028,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":76029,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":76030,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":76031,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":76032,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":76033,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":76034,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":76035,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":76036,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":76037,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":76038,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":76039,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":76040,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":76041,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":76042,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":76043,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":76044,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":76045,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":76046,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":76047,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":76048,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":76049,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":76050,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":76051,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":76052,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":76053,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":76054,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"footnotes-hover":{"_internalId":76055,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":76056,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":76057,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":76058,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":76058,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":76059,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":76060,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":76061,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":76062,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":76063,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":76064,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":76065,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":76066,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":76067,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":76068,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":76069,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":76070,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":76071,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":76072,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"keep-source":{"_internalId":76073,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":76074,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"output-divs":{"_internalId":76075,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":76076,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":76077,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":76078,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":76079,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":76080,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":76081,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":76082,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":76083,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":76084,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":76085,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":76086,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":76087,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":76088,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":76089,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"page-layout":{"_internalId":76090,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"grid":{"_internalId":76091,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":76092,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":76093,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":76094,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":76095,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":76096,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":76097,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":76098,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":76099,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":76100,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":76101,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":76102,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"lightbox":{"_internalId":76103,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":76104,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":76105,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":76106,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":76107,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":76108,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":76109,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":76110,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-view":{"_internalId":76111,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":76112,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":76113,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":76114,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":76115,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":76116,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":76117,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"copyright":{"_internalId":76118,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"license":{"_internalId":76119,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"pagetitle":{"_internalId":76120,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":76121,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":76122,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":76123,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":76124,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":76125,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":76126,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":76127,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":76128,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":76129,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":76130,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":76131,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":76132,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":76133,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":76134,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":76135,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":76136,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":76137,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":76138,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":76139,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":76140,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":76141,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":76142,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":76143,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":76144,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":76145,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":76146,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":76147,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":76148,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":76149,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"citeproc":{"_internalId":76150,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":76151,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":76152,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":76152,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":76153,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":76154,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":76155,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":76156,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":76157,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":76158,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":76159,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":76160,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":76161,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":76162,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":76163,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":76164,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":76165,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":76166,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":76167,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":76168,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":76169,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":76170,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":76171,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":76172,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":76173,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":76174,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":76175,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":76176,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":76176,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":76177,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":76178,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":76179,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":76180,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"search":{"_internalId":76181,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":76182,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":76183,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":76184,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":76185,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":76186,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":76187,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":76188,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":76189,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,abstract,abstract-title,doi,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,linestretch,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,keep-source,keep-hidden,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,page-layout,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,copyright,license,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citation-location,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-location,toc-title,toc-expand,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_layout$|^pageLayout$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":76191,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?html5([-+].+)?$":{"_internalId":78897,"type":"anyOf","anyOf":[{"_internalId":78895,"type":"object","description":"be an object","properties":{"eval":{"_internalId":78692,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":78693,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":78694,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":78695,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":78696,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":78697,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":78698,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":78699,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":78700,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":78701,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":78702,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":78703,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":78704,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":78705,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":78706,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":78707,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":78708,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":78709,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":78710,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":78711,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":78712,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":78713,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":78714,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":78715,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"doi":{"_internalId":78716,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"order":{"_internalId":78717,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":78718,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":78719,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":78720,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":78721,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":78722,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":78723,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":78724,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":78725,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":78726,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":78727,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":78728,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":78729,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":78730,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":78731,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":78732,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"comments":{"_internalId":78733,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":78734,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":78735,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":78736,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":78737,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":78738,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":78739,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":78740,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":78741,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":78742,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":78743,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":78744,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":78745,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":78746,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":78747,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":78748,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":78749,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":78750,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":78751,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":78752,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":78753,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":78754,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":78755,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":78756,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":78757,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":78758,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"linestretch":{"_internalId":78759,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"footnotes-hover":{"_internalId":78760,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":78761,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":78762,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":78763,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":78763,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":78764,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":78765,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":78766,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":78767,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":78768,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":78769,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":78770,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":78771,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":78772,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":78773,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":78774,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":78775,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":78776,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":78777,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"keep-source":{"_internalId":78778,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":78779,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"output-divs":{"_internalId":78780,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":78781,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":78782,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":78783,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":78784,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":78785,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":78786,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":78787,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":78788,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":78789,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":78790,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":78791,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":78792,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":78793,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":78794,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"page-layout":{"_internalId":78795,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"grid":{"_internalId":78796,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":78797,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":78798,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":78799,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":78800,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":78801,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":78802,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":78803,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":78804,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":78805,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":78806,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":78807,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"lightbox":{"_internalId":78808,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":78809,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":78810,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":78811,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":78812,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":78813,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":78814,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":78815,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-view":{"_internalId":78816,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":78817,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":78818,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":78819,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":78820,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":78821,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":78822,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"copyright":{"_internalId":78823,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"license":{"_internalId":78824,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"pagetitle":{"_internalId":78825,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":78826,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":78827,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":78828,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":78829,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":78830,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":78831,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":78832,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":78833,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":78834,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":78835,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":78836,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":78837,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":78838,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":78839,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":78840,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":78841,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":78842,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":78843,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":78844,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":78845,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":78846,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":78847,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":78848,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":78849,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":78850,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":78851,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":78852,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":78853,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":78854,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"citeproc":{"_internalId":78855,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":78856,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":78857,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":78857,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":78858,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":78859,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":78860,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":78861,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":78862,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":78863,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":78864,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":78865,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":78866,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":78867,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":78868,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":78869,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":78870,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":78871,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":78872,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":78873,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":78874,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":78875,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":78876,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":78877,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":78878,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":78879,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":78880,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":78881,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":78881,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":78882,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":78883,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":78884,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":78885,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"search":{"_internalId":78886,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":78887,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":78888,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":78889,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":78890,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":78891,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":78892,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":78893,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":78894,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,abstract,abstract-title,doi,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,linestretch,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,keep-source,keep-hidden,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,page-layout,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,copyright,license,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citation-location,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-location,toc-title,toc-expand,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_layout$|^pageLayout$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":78896,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?icml([-+].+)?$":{"_internalId":81495,"type":"anyOf","anyOf":[{"_internalId":81493,"type":"object","description":"be an object","properties":{"eval":{"_internalId":81397,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":81398,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":81399,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":81400,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":81401,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":81402,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":81403,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":81404,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":81405,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":81406,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":81407,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":81408,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":81409,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":81410,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":81411,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":81412,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":81413,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":81414,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":81415,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":81416,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":81417,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":81418,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":81419,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":81420,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":81421,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":81422,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":81423,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":81424,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":81425,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":81426,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":81427,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":81428,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":81429,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":81430,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":81431,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":81431,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":81432,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":81433,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":81434,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":81435,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":81436,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":81437,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":81438,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":81439,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":81440,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":81441,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":81442,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":81443,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":81444,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":81445,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":81446,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":81447,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":81448,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":81449,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":81450,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":81451,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":81452,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":81453,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":81454,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":81455,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":81456,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":81457,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":81458,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":81459,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":81460,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":81461,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":81462,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":81463,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":81464,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":81465,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":81466,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":81467,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":81468,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":81468,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":81469,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":81470,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":81471,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":81472,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":81473,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":81474,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":81475,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":81476,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":81477,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":81478,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":81479,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":81480,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":81481,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":81482,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":81483,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":81484,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":81485,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":81486,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":81487,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":81488,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":81489,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":81490,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":81491,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":81491,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":81492,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":81494,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?ipynb([-+].+)?$":{"_internalId":84087,"type":"anyOf","anyOf":[{"_internalId":84085,"type":"object","description":"be an object","properties":{"eval":{"_internalId":83995,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":83996,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":83997,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":83998,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":83999,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":84000,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":84001,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":84002,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":84003,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":84004,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":84005,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":84006,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":84007,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":84008,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":84009,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":84010,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":84011,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":84012,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":84013,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":84014,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":84015,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":84016,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":84017,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":84018,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":84019,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":84020,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":84021,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":84022,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":84023,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":84024,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":84025,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":84026,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":84027,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":84028,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":84029,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":84029,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":84030,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":84031,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":84032,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":84033,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":84034,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":84035,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":84036,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":84037,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":84038,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":84039,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":84040,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":84041,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":84042,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":84043,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":84044,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":84045,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":84046,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":84047,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":84048,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":84049,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":84050,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":84051,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":84052,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":84053,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":84054,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"markdown-headings":{"_internalId":84055,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"ipynb-output":{"_internalId":84056,"type":"ref","$ref":"quarto-resource-document-options-ipynb-output","description":"quarto-resource-document-options-ipynb-output"},"quarto-required":{"_internalId":84057,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":84058,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":84059,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":84060,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":84061,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":84062,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":84062,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":84063,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":84064,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"filters":{"_internalId":84065,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":84066,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":84067,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":84068,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":84069,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":84070,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":84071,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":84072,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":84073,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":84074,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":84075,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":84076,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":84077,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":84078,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":84079,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":84080,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":84081,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":84082,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":84083,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":84083,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":84084,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,markdown-headings,ipynb-output,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^markdown_headings$|^markdownHeadings$|^ipynb_output$|^ipynbOutput$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":84086,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats([-+].+)?$":{"_internalId":86688,"type":"anyOf","anyOf":[{"_internalId":86686,"type":"object","description":"be an object","properties":{"eval":{"_internalId":86587,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":86588,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":86589,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":86590,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":86591,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":86592,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":86593,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":86594,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":86595,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":86596,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":86597,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":86652,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":86599,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":86600,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":86601,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":86602,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":86603,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":86604,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":86605,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":86606,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":86607,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":86608,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":86609,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":86610,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":86611,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":86612,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":86613,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":86614,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":86615,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":86616,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":86617,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":86618,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":86619,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":86620,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":86621,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":86622,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":86623,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":86624,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":86625,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":86626,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":86627,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":86628,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":86628,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":86629,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":86630,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":86631,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":86632,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":86633,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":86634,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":86635,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":86636,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":86637,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":86638,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":86639,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":86640,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":86641,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":86642,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":86643,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":86644,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":86645,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":86646,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":86647,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":86648,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":86649,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":86650,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":86651,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":86653,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":86654,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":86655,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":86656,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":86657,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":86658,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":86659,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":86660,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":86661,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":86662,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":86663,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":86663,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":86664,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":86665,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":86666,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":86667,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":86668,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":86669,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":86670,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":86671,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":86672,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":86673,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":86674,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":86675,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":86676,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":86677,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":86678,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":86679,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":86680,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":86681,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":86682,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":86683,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":86684,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":86685,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":86687,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats_archiving([-+].+)?$":{"_internalId":89289,"type":"anyOf","anyOf":[{"_internalId":89287,"type":"object","description":"be an object","properties":{"eval":{"_internalId":89188,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":89189,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":89190,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":89191,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":89192,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":89193,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":89194,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":89195,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":89196,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":89197,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":89198,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":89253,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":89200,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":89201,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":89202,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":89203,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":89204,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":89205,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":89206,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":89207,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":89208,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":89209,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":89210,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":89211,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":89212,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":89213,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":89214,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":89215,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":89216,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":89217,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":89218,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":89219,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":89220,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":89221,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":89222,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":89223,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":89224,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":89225,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":89226,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":89227,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":89228,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":89229,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":89229,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":89230,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":89231,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":89232,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":89233,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":89234,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":89235,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":89236,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":89237,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":89238,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":89239,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":89240,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":89241,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":89242,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":89243,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":89244,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":89245,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":89246,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":89247,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":89248,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":89249,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":89250,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":89251,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":89252,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":89254,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":89255,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":89256,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":89257,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":89258,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":89259,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":89260,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":89261,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":89262,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":89263,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":89264,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":89264,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":89265,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":89266,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":89267,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":89268,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":89269,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":89270,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":89271,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":89272,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":89273,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":89274,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":89275,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":89276,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":89277,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":89278,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":89279,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":89280,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":89281,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":89282,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":89283,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":89284,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":89285,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":89286,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":89288,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats_articleauthoring([-+].+)?$":{"_internalId":91890,"type":"anyOf","anyOf":[{"_internalId":91888,"type":"object","description":"be an object","properties":{"eval":{"_internalId":91789,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":91790,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":91791,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":91792,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":91793,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":91794,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":91795,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":91796,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":91797,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":91798,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":91799,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":91854,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":91801,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":91802,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":91803,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":91804,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":91805,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":91806,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":91807,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":91808,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":91809,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":91810,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":91811,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":91812,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":91813,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":91814,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":91815,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":91816,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":91817,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":91818,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":91819,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":91820,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":91821,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":91822,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":91823,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":91824,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":91825,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":91826,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":91827,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":91828,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":91829,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":91830,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":91830,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":91831,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":91832,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":91833,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":91834,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":91835,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":91836,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":91837,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":91838,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":91839,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":91840,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":91841,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":91842,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":91843,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":91844,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":91845,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":91846,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":91847,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":91848,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":91849,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":91850,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":91851,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":91852,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":91853,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":91855,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":91856,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":91857,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":91858,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":91859,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":91860,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":91861,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":91862,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":91863,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":91864,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":91865,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":91865,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":91866,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":91867,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":91868,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":91869,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":91870,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":91871,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":91872,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":91873,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":91874,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":91875,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":91876,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":91877,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":91878,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":91879,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":91880,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":91881,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":91882,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":91883,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":91884,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":91885,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":91886,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":91887,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":91889,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jats_publishing([-+].+)?$":{"_internalId":94491,"type":"anyOf","anyOf":[{"_internalId":94489,"type":"object","description":"be an object","properties":{"eval":{"_internalId":94390,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":94391,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":94392,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":94393,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":94394,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":94395,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":94396,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":94397,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":94398,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":94399,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":94400,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":94455,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":94402,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":94403,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"abstract":{"_internalId":94404,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"notes":{"_internalId":94405,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":94406,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"order":{"_internalId":94407,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":94408,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":94409,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":94410,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":94411,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":94412,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":94413,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":94414,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":94415,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":94416,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":94417,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":94418,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":94419,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":94420,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":94421,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":94422,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":94423,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":94424,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":94425,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":94426,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":94427,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":94428,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":94429,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":94430,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":94431,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":94431,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":94432,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":94433,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":94434,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":94435,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":94436,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":94437,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":94438,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":94439,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":94440,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":94441,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":94442,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":94443,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":94444,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":94445,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":94446,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":94447,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":94448,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":94449,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":94450,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":94451,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":94452,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":94453,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"notebook-subarticles":{"_internalId":94454,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"license":{"_internalId":94456,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"number-sections":{"_internalId":94457,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":94458,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":94459,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":94460,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":94461,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"bibliography":{"_internalId":94462,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":94463,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":94464,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":94465,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":94466,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":94466,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":94467,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":94468,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":94469,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":94470,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":94471,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":94472,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":94473,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":94474,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":94475,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":94476,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":94477,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":94478,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":94479,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":94480,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":94481,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":94482,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":94483,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":94484,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":94485,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":94486,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":94487,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":94488,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,affiliation,copyright,article,journal,abstract,notes,tags,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,notebook-subarticles,license,number-sections,shift-heading-level-by,brand,quarto-required,preview-mode,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^notebook_subarticles$|^notebookSubarticles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":94490,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?jira([-+].+)?$":{"_internalId":97089,"type":"anyOf","anyOf":[{"_internalId":97087,"type":"object","description":"be an object","properties":{"eval":{"_internalId":96991,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":96992,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":96993,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":96994,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":96995,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":96996,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":96997,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":96998,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":96999,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":97000,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":97001,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":97002,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":97003,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":97004,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":97005,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":97006,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":97007,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":97008,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":97009,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":97010,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":97011,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":97012,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":97013,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":97014,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":97015,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":97016,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":97017,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":97018,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":97019,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":97020,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":97021,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":97022,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":97023,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":97024,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":97025,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":97025,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":97026,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":97027,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":97028,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":97029,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":97030,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":97031,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":97032,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":97033,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":97034,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":97035,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":97036,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":97037,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":97038,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":97039,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":97040,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":97041,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":97042,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":97043,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":97044,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":97045,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":97046,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":97047,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":97048,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":97049,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":97050,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":97051,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":97052,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":97053,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":97054,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":97055,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":97056,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":97057,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":97058,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":97059,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":97060,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":97061,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":97062,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":97062,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":97063,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":97064,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":97065,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":97066,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":97067,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":97068,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":97069,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":97070,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":97071,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":97072,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":97073,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":97074,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":97075,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":97076,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":97077,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":97078,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":97079,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":97080,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":97081,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":97082,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":97083,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":97084,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":97085,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":97085,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":97086,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":97088,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?json([-+].+)?$":{"_internalId":99687,"type":"anyOf","anyOf":[{"_internalId":99685,"type":"object","description":"be an object","properties":{"eval":{"_internalId":99589,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":99590,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":99591,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":99592,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":99593,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":99594,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":99595,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":99596,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":99597,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":99598,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":99599,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":99600,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":99601,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":99602,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":99603,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":99604,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":99605,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":99606,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":99607,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":99608,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":99609,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":99610,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":99611,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":99612,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":99613,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":99614,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":99615,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":99616,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":99617,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":99618,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":99619,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":99620,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":99621,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":99622,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":99623,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":99623,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":99624,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":99625,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":99626,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":99627,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":99628,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":99629,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":99630,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":99631,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":99632,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":99633,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":99634,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":99635,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":99636,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":99637,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":99638,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":99639,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":99640,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":99641,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":99642,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":99643,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":99644,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":99645,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":99646,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":99647,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":99648,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":99649,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":99650,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":99651,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":99652,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":99653,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":99654,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":99655,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":99656,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":99657,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":99658,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":99659,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":99660,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":99660,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":99661,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":99662,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":99663,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":99664,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":99665,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":99666,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":99667,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":99668,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":99669,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":99670,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":99671,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":99672,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":99673,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":99674,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":99675,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":99676,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":99677,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":99678,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":99679,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":99680,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":99681,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":99682,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":99683,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":99683,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":99684,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":99686,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?latex([-+].+)?$":{"_internalId":102359,"type":"anyOf","anyOf":[{"_internalId":102357,"type":"object","description":"be an object","properties":{"eval":{"_internalId":102187,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":102188,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":102189,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":102190,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":102191,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":102192,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":102193,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":102194,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":102195,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":102196,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":102197,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":102198,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":102199,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":102200,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":102201,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":102202,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":102203,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":102204,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":102205,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":102206,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"thanks":{"_internalId":102207,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":102208,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":102209,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":102210,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-block-border-left":{"_internalId":102211,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":102212,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":102213,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":102214,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":102215,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":102216,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":102217,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"linkcolor":{"_internalId":102218,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"filecolor":{"_internalId":102219,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":102220,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":102221,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":102222,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":102223,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"crossref":{"_internalId":102224,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":102225,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":102226,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":102227,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":102228,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":102229,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":102230,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":102231,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":102232,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":102233,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":102234,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":102235,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":102236,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":102237,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":102238,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":102239,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":102240,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":102241,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":102242,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":102243,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":102244,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":102245,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":102246,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":102247,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":102248,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":102249,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":102250,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":102251,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":102252,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":102253,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":102254,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":102255,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":102256,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"CJKoptions":{"_internalId":102257,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":102258,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"linestretch":{"_internalId":102259,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"links-as-notes":{"_internalId":102260,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"funding":{"_internalId":102261,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":102262,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":102262,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":102263,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":102264,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":102265,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":102266,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":102267,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":102268,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":102269,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":102270,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":102271,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":102272,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":102273,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":102274,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":102275,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":102276,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":102277,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":102278,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":102279,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":102280,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":102281,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":102282,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":102283,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":102284,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":102285,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":102286,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":102287,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":102288,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":102289,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"documentclass":{"_internalId":102290,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":102291,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":102292,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":102293,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"grid":{"_internalId":102294,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":102295,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":102296,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":102297,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":102298,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":102299,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":102300,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":102301,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":102302,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"keywords":{"_internalId":102303,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":102304,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"title-meta":{"_internalId":102305,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"author-meta":{"_internalId":102306,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":102307,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":102308,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":102309,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":102310,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"shift-heading-level-by":{"_internalId":102311,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":102312,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":102313,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":102314,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":102315,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":102316,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"quarto-required":{"_internalId":102317,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":102318,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":102319,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"cite-method":{"_internalId":102320,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":102321,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":102322,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":102323,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":102324,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"biblio-title":{"_internalId":102325,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":102326,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":102327,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":102328,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":102329,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":102330,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":102331,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":102331,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":102332,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":102333,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":102334,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":102335,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":102336,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":102337,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":102338,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":102339,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":102340,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":102341,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":102342,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":102343,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":102344,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":102345,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":102346,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":102347,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":102348,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"use-rsvg-convert":{"_internalId":102349,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"df-print":{"_internalId":102350,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":102351,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":102352,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":102352,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":102353,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":102354,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"lof":{"_internalId":102355,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":102356,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,thanks,order,citation,code-annotations,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,linkcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,CJKoptions,microtypeoptions,linestretch,links-as-notes,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,documentclass,classoption,pagestyle,papersize,grid,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,keywords,subject,title-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,shift-heading-level-by,top-level-division,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,quarto-required,bibliography,csl,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,use-rsvg-convert,df-print,ascii,toc,table-of-contents,toc-depth,toc-title,lof,lot","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^cjkmainfont$|^cjkmainfont$|^cjkoptions$|^cjkoptions$|^links_as_notes$|^linksAsNotes$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^title_meta$|^titleMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":102358,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?man([-+].+)?$":{"_internalId":104960,"type":"anyOf","anyOf":[{"_internalId":104958,"type":"object","description":"be an object","properties":{"eval":{"_internalId":104859,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":104860,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":104861,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":104862,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":104863,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":104864,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":104865,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":104866,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":104867,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":104868,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":104869,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":104870,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":104871,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":104872,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":104873,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":104874,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":104875,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":104876,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":104877,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":104878,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":104879,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":104880,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":104881,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":104882,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":104883,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":104884,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":104885,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":104886,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":104887,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":104888,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":104889,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":104890,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":104891,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"adjusting":{"_internalId":104892,"type":"ref","$ref":"quarto-resource-document-formatting-adjusting","description":"quarto-resource-document-formatting-adjusting"},"hyphenate":{"_internalId":104893,"type":"ref","$ref":"quarto-resource-document-formatting-hyphenate","description":"quarto-resource-document-formatting-hyphenate"},"funding":{"_internalId":104894,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":104895,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":104895,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":104896,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":104897,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":104898,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":104899,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":104900,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":104901,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":104902,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":104903,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":104904,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":104905,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":104906,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":104907,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":104908,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":104909,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":104910,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":104911,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":104912,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":104913,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":104914,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":104915,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":104916,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":104917,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"footer":{"_internalId":104918,"type":"ref","$ref":"quarto-resource-document-includes-footer","description":"quarto-resource-document-includes-footer"},"header":{"_internalId":104919,"type":"ref","$ref":"quarto-resource-document-includes-header","description":"quarto-resource-document-includes-header"},"metadata-file":{"_internalId":104920,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":104921,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":104922,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":104923,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":104924,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":104925,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":104926,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":104927,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":104928,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"section":{"_internalId":104929,"type":"ref","$ref":"quarto-resource-document-options-section","description":"quarto-resource-document-options-section"},"quarto-required":{"_internalId":104930,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":104931,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":104932,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":104933,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":104934,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":104935,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":104935,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":104936,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":104937,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":104938,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":104939,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":104940,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":104941,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":104942,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":104943,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":104944,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":104945,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":104946,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":104947,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":104948,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":104949,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":104950,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":104951,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":104952,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":104953,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":104954,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":104955,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":104956,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":104957,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,adjusting,hyphenate,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,footer,header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,section,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":104959,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown([-+].+)?$":{"_internalId":107565,"type":"anyOf","anyOf":[{"_internalId":107563,"type":"object","description":"be an object","properties":{"eval":{"_internalId":107460,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":107461,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":107462,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":107463,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":107464,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":107465,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":107466,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":107467,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":107468,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":107469,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":107470,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":107471,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":107472,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":107473,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":107474,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":107475,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":107476,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":107477,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":107478,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":107479,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":107480,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":107481,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":107482,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":107483,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":107484,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":107485,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":107486,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":107487,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":107488,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":107489,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":107490,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":107491,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":107492,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":107493,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":107494,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":107495,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":107495,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":107496,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":107497,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":107498,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":107499,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":107500,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":107501,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":107502,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":107503,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":107504,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":107505,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":107506,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":107507,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":107508,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":107509,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":107510,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":107511,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":107512,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":107513,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":107514,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":107515,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":107516,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":107517,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":107518,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":107519,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":107520,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":107521,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":107522,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":107523,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":107524,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":107525,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":107526,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":107527,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":107528,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":107529,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":107530,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":107531,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":107532,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":107533,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":107534,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":107535,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":107536,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":107536,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":107537,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":107538,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":107539,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":107540,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":107541,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":107542,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":107543,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":107544,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":107545,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":107546,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":107547,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":107548,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":107549,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":107550,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":107551,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":107552,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":107553,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":107554,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":107555,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":107556,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":107557,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":107558,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":107559,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":107560,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":107561,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":107561,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":107562,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":107564,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_github([-+].+)?$":{"_internalId":110163,"type":"anyOf","anyOf":[{"_internalId":110161,"type":"object","description":"be an object","properties":{"eval":{"_internalId":110065,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":110066,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":110067,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":110068,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":110069,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":110070,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":110071,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":110072,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":110073,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":110074,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":110075,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":110076,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":110077,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":110078,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":110079,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":110080,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":110081,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":110082,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":110083,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":110084,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":110085,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":110086,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":110087,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":110088,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":110089,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":110090,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":110091,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":110092,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":110093,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":110094,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":110095,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":110096,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":110097,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":110098,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":110099,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":110099,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":110100,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":110101,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":110102,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":110103,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":110104,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":110105,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":110106,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":110107,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":110108,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":110109,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":110110,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":110111,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":110112,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":110113,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":110114,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":110115,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":110116,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":110117,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":110118,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":110119,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":110120,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":110121,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":110122,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":110123,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":110124,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":110125,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":110126,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":110127,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":110128,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":110129,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":110130,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":110131,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":110132,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":110133,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":110134,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":110135,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":110136,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":110136,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":110137,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":110138,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":110139,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":110140,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":110141,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":110142,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":110143,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":110144,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":110145,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":110146,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":110147,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":110148,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":110149,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":110150,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":110151,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":110152,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":110153,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":110154,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":110155,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":110156,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":110157,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":110158,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":110159,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":110159,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":110160,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":110162,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_mmd([-+].+)?$":{"_internalId":112761,"type":"anyOf","anyOf":[{"_internalId":112759,"type":"object","description":"be an object","properties":{"eval":{"_internalId":112663,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":112664,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":112665,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":112666,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":112667,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":112668,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":112669,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":112670,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":112671,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":112672,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":112673,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":112674,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":112675,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":112676,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":112677,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":112678,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":112679,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":112680,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":112681,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":112682,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":112683,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":112684,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":112685,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":112686,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":112687,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":112688,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":112689,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":112690,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":112691,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":112692,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":112693,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":112694,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":112695,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":112696,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":112697,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":112697,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":112698,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":112699,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":112700,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":112701,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":112702,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":112703,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":112704,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":112705,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":112706,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":112707,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":112708,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":112709,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":112710,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":112711,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":112712,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":112713,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":112714,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":112715,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":112716,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":112717,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":112718,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":112719,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":112720,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":112721,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":112722,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":112723,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":112724,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":112725,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":112726,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":112727,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":112728,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":112729,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":112730,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":112731,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":112732,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":112733,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":112734,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":112734,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":112735,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":112736,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":112737,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":112738,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":112739,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":112740,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":112741,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":112742,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":112743,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":112744,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":112745,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":112746,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":112747,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":112748,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":112749,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":112750,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":112751,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":112752,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":112753,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":112754,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":112755,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":112756,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":112757,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":112757,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":112758,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":112760,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_phpextra([-+].+)?$":{"_internalId":115359,"type":"anyOf","anyOf":[{"_internalId":115357,"type":"object","description":"be an object","properties":{"eval":{"_internalId":115261,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":115262,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":115263,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":115264,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":115265,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":115266,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":115267,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":115268,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":115269,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":115270,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":115271,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":115272,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":115273,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":115274,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":115275,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":115276,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":115277,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":115278,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":115279,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":115280,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":115281,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":115282,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":115283,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":115284,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":115285,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":115286,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":115287,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":115288,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":115289,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":115290,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":115291,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":115292,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":115293,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":115294,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":115295,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":115295,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":115296,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":115297,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":115298,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":115299,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":115300,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":115301,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":115302,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":115303,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":115304,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":115305,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":115306,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":115307,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":115308,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":115309,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":115310,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":115311,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":115312,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":115313,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":115314,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":115315,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":115316,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":115317,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":115318,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":115319,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":115320,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":115321,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":115322,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":115323,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":115324,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":115325,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":115326,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":115327,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":115328,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":115329,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":115330,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":115331,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":115332,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":115332,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":115333,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":115334,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":115335,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":115336,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":115337,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":115338,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":115339,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":115340,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":115341,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":115342,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":115343,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":115344,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":115345,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":115346,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":115347,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":115348,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":115349,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":115350,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":115351,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":115352,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":115353,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":115354,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":115355,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":115355,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":115356,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":115358,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markdown_strict([-+].+)?$":{"_internalId":117957,"type":"anyOf","anyOf":[{"_internalId":117955,"type":"object","description":"be an object","properties":{"eval":{"_internalId":117859,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":117860,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":117861,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":117862,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":117863,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":117864,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":117865,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":117866,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":117867,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":117868,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":117869,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":117870,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":117871,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":117872,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":117873,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":117874,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":117875,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":117876,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":117877,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":117878,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":117879,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":117880,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":117881,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":117882,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":117883,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":117884,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":117885,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":117886,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":117887,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":117888,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":117889,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":117890,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":117891,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":117892,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":117893,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":117893,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":117894,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":117895,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":117896,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":117897,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":117898,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":117899,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":117900,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":117901,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":117902,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":117903,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":117904,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":117905,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":117906,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":117907,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":117908,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":117909,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":117910,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":117911,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":117912,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":117913,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":117914,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":117915,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":117916,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":117917,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":117918,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":117919,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":117920,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":117921,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":117922,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":117923,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":117924,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":117925,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":117926,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":117927,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":117928,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":117929,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":117930,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":117930,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":117931,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":117932,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":117933,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":117934,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":117935,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":117936,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":117937,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":117938,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":117939,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":117940,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":117941,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":117942,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":117943,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":117944,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":117945,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":117946,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":117947,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":117948,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":117949,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":117950,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":117951,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":117952,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":117953,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":117953,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":117954,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":117956,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?markua([-+].+)?$":{"_internalId":120562,"type":"anyOf","anyOf":[{"_internalId":120560,"type":"object","description":"be an object","properties":{"eval":{"_internalId":120457,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":120458,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":120459,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":120460,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":120461,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":120462,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":120463,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":120464,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":120465,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":120466,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":120467,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":120468,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":120469,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":120470,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":120471,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":120472,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":120473,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":120474,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":120475,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":120476,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":120477,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":120478,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":120479,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":120480,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":120481,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":120482,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":120483,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":120484,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":120485,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":120486,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":120487,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":120488,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":120489,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":120490,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":120491,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":120492,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":120492,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":120493,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":120494,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":120495,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":120496,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":120497,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":120498,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":120499,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":120500,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":120501,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":120502,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":120503,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":120504,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":120505,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":120506,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":120507,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":120508,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":120509,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":120510,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":120511,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":120512,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":120513,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":120514,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":120515,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":120516,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":120517,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":120518,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":120519,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":120520,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":120521,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":120522,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":120523,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":120524,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":120525,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":120526,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":120527,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":120528,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":120529,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":120530,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":120531,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":120532,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":120533,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":120533,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":120534,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":120535,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":120536,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":120537,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":120538,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":120539,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":120540,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":120541,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":120542,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":120543,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":120544,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":120545,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":120546,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":120547,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":120548,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":120549,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":120550,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":120551,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":120552,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":120553,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":120554,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":120555,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":120556,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":120557,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":120558,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":120558,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":120559,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":120561,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?mediawiki([-+].+)?$":{"_internalId":123160,"type":"anyOf","anyOf":[{"_internalId":123158,"type":"object","description":"be an object","properties":{"eval":{"_internalId":123062,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":123063,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":123064,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":123065,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":123066,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":123067,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":123068,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":123069,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":123070,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":123071,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":123072,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":123073,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":123074,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":123075,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":123076,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":123077,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":123078,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":123079,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":123080,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":123081,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":123082,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":123083,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":123084,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":123085,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":123086,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":123087,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":123088,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":123089,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":123090,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":123091,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":123092,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":123093,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":123094,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":123095,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":123096,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":123096,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":123097,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":123098,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":123099,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":123100,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":123101,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":123102,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":123103,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":123104,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":123105,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":123106,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":123107,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":123108,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":123109,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":123110,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":123111,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":123112,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":123113,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":123114,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":123115,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":123116,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":123117,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":123118,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":123119,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":123120,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":123121,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":123122,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":123123,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":123124,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":123125,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":123126,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":123127,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":123128,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":123129,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":123130,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":123131,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":123132,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":123133,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":123133,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":123134,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":123135,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":123136,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":123137,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":123138,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":123139,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":123140,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":123141,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":123142,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":123143,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":123144,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":123145,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":123146,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":123147,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":123148,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":123149,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":123150,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":123151,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":123152,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":123153,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":123154,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":123155,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":123156,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":123156,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":123157,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":123159,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?ms([-+].+)?$":{"_internalId":125772,"type":"anyOf","anyOf":[{"_internalId":125770,"type":"object","description":"be an object","properties":{"eval":{"_internalId":125660,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":125661,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":125662,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"output":{"_internalId":125663,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":125664,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":125665,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":125666,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":125667,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":125668,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":125669,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":125670,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":125671,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":125672,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":125673,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":125674,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":125675,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":125676,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":125677,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":125678,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"crossref":{"_internalId":125679,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":125680,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":125681,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":125682,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":125683,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":125684,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":125685,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":125686,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":125687,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":125688,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":125689,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":125690,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":125691,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":125692,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":125693,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":125694,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":125695,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":125696,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":125697,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":125698,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fontfamily":{"_internalId":125699,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"pointsize":{"_internalId":125700,"type":"ref","$ref":"quarto-resource-document-fonts-pointsize","description":"quarto-resource-document-fonts-pointsize"},"lineheight":{"_internalId":125701,"type":"ref","$ref":"quarto-resource-document-fonts-lineheight","description":"quarto-resource-document-fonts-lineheight"},"funding":{"_internalId":125702,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":125703,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":125703,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":125704,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":125705,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":125706,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":125707,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":125708,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":125709,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":125710,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":125711,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":125712,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":125713,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":125714,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":125715,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":125716,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":125717,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":125718,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":125719,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":125720,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":125721,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":125722,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":125723,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":125724,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":125725,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":125726,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":125727,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":125728,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":125729,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":125730,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":125731,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"indent":{"_internalId":125732,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"number-sections":{"_internalId":125733,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":125734,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":125735,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":125736,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":125737,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":125738,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"quarto-required":{"_internalId":125739,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":125740,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":125741,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":125742,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":125743,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":125744,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":125744,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":125745,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":125746,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":125747,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":125748,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":125749,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":125750,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":125751,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":125752,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":125753,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":125754,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":125755,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":125756,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":125757,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":125758,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":125759,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":125760,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":125761,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":125762,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":125763,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":125764,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":125765,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":125766,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"ascii":{"_internalId":125767,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":125768,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":125768,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":125769,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,output,warning,error,include,title,date,date-format,author,abstract,order,citation,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fontfamily,pointsize,lineheight,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,indent,number-sections,shift-heading-level-by,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":125771,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?muse([-+].+)?$":{"_internalId":128372,"type":"anyOf","anyOf":[{"_internalId":128370,"type":"object","description":"be an object","properties":{"eval":{"_internalId":128272,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":128273,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":128274,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":128275,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":128276,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":128277,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":128278,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":128279,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":128280,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":128281,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":128282,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":128283,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":128284,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":128285,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":128286,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":128287,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":128288,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":128289,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":128290,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":128291,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":128292,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":128293,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":128294,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":128295,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":128296,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":128297,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":128298,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":128299,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":128300,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":128301,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":128302,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":128303,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":128304,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":128305,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":128306,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":128307,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":128308,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":128308,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":128309,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":128310,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":128311,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":128312,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":128313,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":128314,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":128315,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":128316,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":128317,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":128318,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":128319,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":128320,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":128321,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":128322,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":128323,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":128324,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":128325,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":128326,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":128327,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":128328,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":128329,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":128330,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":128331,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":128332,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":128333,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":128334,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":128335,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":128336,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":128337,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":128338,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":128339,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":128340,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":128341,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":128342,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":128343,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":128344,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":128345,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":128345,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":128346,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":128347,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":128348,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":128349,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":128350,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":128351,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":128352,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":128353,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":128354,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":128355,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":128356,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":128357,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":128358,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":128359,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":128360,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":128361,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":128362,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":128363,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":128364,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":128365,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":128366,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":128367,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":128368,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":128368,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":128369,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,subtitle,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":128371,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?native([-+].+)?$":{"_internalId":130970,"type":"anyOf","anyOf":[{"_internalId":130968,"type":"object","description":"be an object","properties":{"eval":{"_internalId":130872,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":130873,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":130874,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":130875,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":130876,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":130877,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":130878,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":130879,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":130880,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":130881,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":130882,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":130883,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":130884,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":130885,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":130886,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":130887,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":130888,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":130889,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":130890,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":130891,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":130892,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":130893,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":130894,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":130895,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":130896,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":130897,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":130898,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":130899,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":130900,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":130901,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":130902,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":130903,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":130904,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":130905,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":130906,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":130906,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":130907,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":130908,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":130909,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":130910,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":130911,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":130912,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":130913,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":130914,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":130915,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":130916,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":130917,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":130918,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":130919,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":130920,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":130921,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":130922,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":130923,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":130924,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":130925,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":130926,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":130927,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":130928,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":130929,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":130930,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":130931,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":130932,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":130933,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":130934,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":130935,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":130936,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":130937,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":130938,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":130939,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":130940,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":130941,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":130942,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":130943,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":130943,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":130944,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":130945,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":130946,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":130947,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":130948,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":130949,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":130950,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":130951,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":130952,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":130953,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":130954,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":130955,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":130956,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":130957,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":130958,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":130959,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":130960,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":130961,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":130962,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":130963,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":130964,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":130965,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":130966,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":130966,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":130967,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":130969,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?odt([-+].+)?$":{"_internalId":133573,"type":"anyOf","anyOf":[{"_internalId":133571,"type":"object","description":"be an object","properties":{"eval":{"_internalId":133470,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":133471,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":133472,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":133473,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":133474,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":133475,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":133476,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":133477,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":133478,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":133479,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":133480,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":133481,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":133482,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"order":{"_internalId":133483,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":133484,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":133485,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":133486,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":133487,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":133488,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":133489,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":133490,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":133491,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":133492,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":133493,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":133494,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":133495,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":133496,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":133497,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":133498,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":133499,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":133500,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":133501,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":133502,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":133503,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":133504,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":133505,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":133506,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":133507,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":133507,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":133508,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":133509,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":133510,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":133511,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":133512,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":133513,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":133514,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":133515,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":133516,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":133517,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":133518,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":133519,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":133520,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":133521,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":133522,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":133523,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":133524,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":133525,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":133526,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":133527,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":133528,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":133529,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":133530,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":133531,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":133532,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":133533,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":133534,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"page-width":{"_internalId":133535,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":133536,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":133537,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":133538,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"description":{"_internalId":133539,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"number-sections":{"_internalId":133540,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":133541,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"reference-doc":{"_internalId":133542,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":133543,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":133544,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":133545,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":133546,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":133547,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":133548,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":133549,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":133549,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":133550,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":133551,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":133552,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":133553,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":133554,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":133555,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":133556,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":133557,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":133558,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":133559,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":133560,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":133561,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":133562,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":133563,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":133564,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":133565,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":133566,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":133567,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":133568,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":133568,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":133569,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":133570,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,subtitle,date,date-format,author,abstract,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,page-width,grid,keywords,subject,description,number-sections,shift-heading-level-by,reference-doc,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_width$|^pageWidth$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^reference_doc$|^referenceDoc$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":133572,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?opendocument([-+].+)?$":{"_internalId":136170,"type":"anyOf","anyOf":[{"_internalId":136168,"type":"object","description":"be an object","properties":{"eval":{"_internalId":136073,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":136074,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":136075,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":136076,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":136077,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":136078,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":136079,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":136080,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":136081,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":136082,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":136083,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":136084,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":136085,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":136086,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":136087,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":136088,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":136089,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":136090,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":136091,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":136092,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":136093,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":136094,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":136095,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":136096,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":136097,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":136098,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":136099,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":136100,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":136101,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":136102,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":136103,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":136104,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":136105,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":136106,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":136107,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":136108,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":136108,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":136109,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":136110,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":136111,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":136112,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":136113,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":136114,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":136115,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":136116,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":136117,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":136118,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":136119,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":136120,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":136121,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":136122,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":136123,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":136124,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":136125,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":136126,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":136127,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":136128,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":136129,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":136130,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":136131,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":136132,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":136133,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":136134,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":136135,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"page-width":{"_internalId":136136,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":136137,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":136138,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":136139,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":136140,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":136141,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":136142,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":136143,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":136144,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":136145,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":136146,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":136146,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":136147,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":136148,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":136149,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":136150,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":136151,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":136152,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":136153,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":136154,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":136155,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":136156,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":136157,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":136158,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":136159,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":136160,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":136161,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":136162,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":136163,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":136164,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":136165,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":136165,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":136166,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":136167,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,page-width,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^page_width$|^pageWidth$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":136169,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?opml([-+].+)?$":{"_internalId":138768,"type":"anyOf","anyOf":[{"_internalId":138766,"type":"object","description":"be an object","properties":{"eval":{"_internalId":138670,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":138671,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":138672,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":138673,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":138674,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":138675,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":138676,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":138677,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":138678,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":138679,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":138680,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":138681,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":138682,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":138683,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":138684,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":138685,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":138686,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":138687,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":138688,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":138689,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":138690,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":138691,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":138692,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":138693,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":138694,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":138695,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":138696,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":138697,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":138698,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":138699,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":138700,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":138701,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":138702,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":138703,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":138704,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":138704,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":138705,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":138706,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":138707,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":138708,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":138709,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":138710,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":138711,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":138712,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":138713,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":138714,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":138715,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":138716,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":138717,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":138718,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":138719,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":138720,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":138721,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":138722,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":138723,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":138724,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":138725,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":138726,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":138727,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":138728,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":138729,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":138730,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":138731,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":138732,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":138733,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":138734,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":138735,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":138736,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":138737,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":138738,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":138739,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":138740,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":138741,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":138741,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":138742,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":138743,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":138744,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":138745,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":138746,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":138747,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":138748,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":138749,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":138750,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":138751,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":138752,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":138753,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":138754,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":138755,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":138756,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":138757,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":138758,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":138759,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":138760,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":138761,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":138762,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":138763,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":138764,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":138764,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":138765,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":138767,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?org([-+].+)?$":{"_internalId":141366,"type":"anyOf","anyOf":[{"_internalId":141364,"type":"object","description":"be an object","properties":{"eval":{"_internalId":141268,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":141269,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":141270,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":141271,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":141272,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":141273,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":141274,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":141275,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":141276,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":141277,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":141278,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":141279,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":141280,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":141281,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":141282,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":141283,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":141284,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":141285,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":141286,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":141287,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":141288,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":141289,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":141290,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":141291,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":141292,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":141293,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":141294,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":141295,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":141296,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":141297,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":141298,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":141299,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":141300,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":141301,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":141302,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":141302,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":141303,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":141304,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":141305,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":141306,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":141307,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":141308,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":141309,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":141310,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":141311,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":141312,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":141313,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":141314,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":141315,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":141316,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":141317,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":141318,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":141319,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":141320,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":141321,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":141322,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":141323,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":141324,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":141325,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":141326,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":141327,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":141328,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":141329,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":141330,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":141331,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":141332,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":141333,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":141334,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":141335,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":141336,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":141337,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":141338,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":141339,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":141339,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":141340,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":141341,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":141342,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":141343,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":141344,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":141345,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":141346,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":141347,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":141348,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":141349,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":141350,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":141351,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":141352,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":141353,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":141354,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":141355,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":141356,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":141357,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":141358,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":141359,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":141360,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":141361,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":141362,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":141362,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":141363,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":141365,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?pdf([-+].+)?$":{"_internalId":144052,"type":"anyOf","anyOf":[{"_internalId":144050,"type":"object","description":"be an object","properties":{"eval":{"_internalId":143866,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":143867,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-line-numbers":{"_internalId":143868,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":143869,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":143870,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":143871,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":143872,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":143873,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":143874,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":143875,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":143876,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":143877,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":143878,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":143879,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":143880,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":143881,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":143882,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":143883,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":143884,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract":{"_internalId":143885,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"thanks":{"_internalId":143886,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":143887,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":143888,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":143889,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-block-border-left":{"_internalId":143890,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":143891,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":143892,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":143893,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":143894,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":143895,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":143896,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"linkcolor":{"_internalId":143897,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"filecolor":{"_internalId":143898,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":143899,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":143900,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":143901,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":143902,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"crossref":{"_internalId":143903,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":143904,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":143905,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":143906,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":143907,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":143908,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":143909,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":143910,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":143911,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":143912,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":143913,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":143914,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":143915,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":143916,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":143917,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":143918,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":143919,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":143920,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":143921,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":143922,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":143923,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":143924,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":143925,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":143926,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":143927,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":143928,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":143929,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":143930,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":143931,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":143932,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":143933,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":143934,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":143935,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"CJKoptions":{"_internalId":143936,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":143937,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"linestretch":{"_internalId":143938,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"links-as-notes":{"_internalId":143939,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"reference-location":{"_internalId":143940,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":143941,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":143942,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":143942,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":143943,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":143944,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":143945,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":143946,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":143947,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":143948,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":143949,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":143950,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":143951,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":143952,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":143953,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":143954,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":143955,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":143956,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":143957,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":143958,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":143959,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":143960,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":143961,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":143962,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":143963,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":143964,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":143965,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":143966,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":143967,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":143968,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":143969,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"latex-auto-mk":{"_internalId":143970,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-mk","description":"quarto-resource-document-latexmk-latex-auto-mk"},"latex-auto-install":{"_internalId":143971,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-install","description":"quarto-resource-document-latexmk-latex-auto-install"},"latex-min-runs":{"_internalId":143972,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-min-runs","description":"quarto-resource-document-latexmk-latex-min-runs"},"latex-max-runs":{"_internalId":143973,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-max-runs","description":"quarto-resource-document-latexmk-latex-max-runs"},"latex-clean":{"_internalId":143974,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-clean","description":"quarto-resource-document-latexmk-latex-clean"},"latex-makeindex":{"_internalId":143975,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex","description":"quarto-resource-document-latexmk-latex-makeindex"},"latex-makeindex-opts":{"_internalId":143976,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex-opts","description":"quarto-resource-document-latexmk-latex-makeindex-opts"},"latex-tlmgr-opts":{"_internalId":143977,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tlmgr-opts","description":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"latex-output-dir":{"_internalId":143978,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-output-dir","description":"quarto-resource-document-latexmk-latex-output-dir"},"latex-tinytex":{"_internalId":143979,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tinytex","description":"quarto-resource-document-latexmk-latex-tinytex"},"latex-input-paths":{"_internalId":143980,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-input-paths","description":"quarto-resource-document-latexmk-latex-input-paths"},"documentclass":{"_internalId":143981,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":143982,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":143983,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":143984,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"grid":{"_internalId":143985,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"margin-left":{"_internalId":143986,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":143987,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":143988,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":143989,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":143990,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":143991,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":143992,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":143993,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"keywords":{"_internalId":143994,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":143995,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"title-meta":{"_internalId":143996,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"author-meta":{"_internalId":143997,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":143998,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":143999,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":144000,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":144001,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"shift-heading-level-by":{"_internalId":144002,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":144003,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":144004,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"pdf-engine":{"_internalId":144005,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":144006,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":144007,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"beamerarticle":{"_internalId":144008,"type":"ref","$ref":"quarto-resource-document-options-beamerarticle","description":"quarto-resource-document-options-beamerarticle"},"quarto-required":{"_internalId":144009,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":144010,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":144011,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"cite-method":{"_internalId":144012,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":144013,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":144014,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":144015,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":144016,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"biblio-title":{"_internalId":144017,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":144018,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":144019,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":144020,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":144021,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":144022,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":144023,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":144023,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":144024,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":144025,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":144026,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":144027,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":144028,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":144029,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":144030,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":144031,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":144032,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":144033,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":144034,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-tex":{"_internalId":144035,"type":"ref","$ref":"quarto-resource-document-render-keep-tex","description":"quarto-resource-document-render-keep-tex"},"extract-media":{"_internalId":144036,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":144037,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":144038,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":144039,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":144040,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":144041,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"use-rsvg-convert":{"_internalId":144042,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"df-print":{"_internalId":144043,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"ascii":{"_internalId":144044,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":144045,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":144045,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":144046,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":144047,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"lof":{"_internalId":144048,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":144049,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,abstract,thanks,order,citation,code-annotations,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,linkcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,CJKoptions,microtypeoptions,linestretch,links-as-notes,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,latex-auto-mk,latex-auto-install,latex-min-runs,latex-max-runs,latex-clean,latex-makeindex,latex-makeindex-opts,latex-tlmgr-opts,latex-output-dir,latex-tinytex,latex-input-paths,documentclass,classoption,pagestyle,papersize,grid,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,keywords,subject,title-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,shift-heading-level-by,top-level-division,brand,pdf-engine,pdf-engine-opt,pdf-engine-opts,beamerarticle,quarto-required,bibliography,csl,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-tex,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,use-rsvg-convert,df-print,ascii,toc,table-of-contents,toc-depth,toc-title,lof,lot","type":"string","pattern":"(?!(^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^cjkmainfont$|^cjkmainfont$|^cjkoptions$|^cjkoptions$|^links_as_notes$|^linksAsNotes$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^latex_auto_mk$|^latexAutoMk$|^latex_auto_install$|^latexAutoInstall$|^latex_min_runs$|^latexMinRuns$|^latex_max_runs$|^latexMaxRuns$|^latex_clean$|^latexClean$|^latex_makeindex$|^latexMakeindex$|^latex_makeindex_opts$|^latexMakeindexOpts$|^latex_tlmgr_opts$|^latexTlmgrOpts$|^latex_output_dir$|^latexOutputDir$|^latex_tinytex$|^latexTinytex$|^latex_input_paths$|^latexInputPaths$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^title_meta$|^titleMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^quarto_required$|^quartoRequired$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_tex$|^keepTex$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":144051,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?plain([-+].+)?$":{"_internalId":146650,"type":"anyOf","anyOf":[{"_internalId":146648,"type":"object","description":"be an object","properties":{"eval":{"_internalId":146552,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":146553,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":146554,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":146555,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":146556,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":146557,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":146558,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":146559,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":146560,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":146561,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":146562,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":146563,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":146564,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":146565,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":146566,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":146567,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":146568,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":146569,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":146570,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":146571,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":146572,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":146573,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":146574,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":146575,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":146576,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":146577,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":146578,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":146579,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":146580,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":146581,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":146582,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":146583,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":146584,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":146585,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":146586,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":146586,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":146587,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":146588,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":146589,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":146590,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":146591,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":146592,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":146593,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":146594,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":146595,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":146596,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":146597,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":146598,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":146599,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":146600,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":146601,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":146602,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":146603,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":146604,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":146605,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":146606,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":146607,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":146608,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":146609,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":146610,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":146611,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":146612,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":146613,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":146614,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":146615,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":146616,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":146617,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":146618,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":146619,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":146620,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":146621,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":146622,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":146623,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":146623,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":146624,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":146625,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":146626,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":146627,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":146628,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":146629,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":146630,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":146631,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":146632,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":146633,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":146634,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":146635,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":146636,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":146637,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":146638,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":146639,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":146640,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":146641,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":146642,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":146643,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":146644,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":146645,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":146646,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":146646,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":146647,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":146649,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?pptx([-+].+)?$":{"_internalId":149244,"type":"anyOf","anyOf":[{"_internalId":149242,"type":"object","description":"be an object","properties":{"eval":{"_internalId":149150,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":149151,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":149152,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":149153,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":149154,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":149155,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":149156,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":149157,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":149158,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":149159,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":149160,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":149161,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":149162,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":149163,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":149164,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":149165,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":149166,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":149167,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":149168,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":149169,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":149170,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":149171,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":149172,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":149173,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":149174,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":149175,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":149176,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":149177,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":149178,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":149179,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":149180,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":149181,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":149182,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":149183,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":149184,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":149184,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":149185,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":149186,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":149187,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":149188,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":149189,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":149190,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":149191,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":149192,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":149193,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":149194,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":149195,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":149196,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":149197,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":149198,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":149199,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":149200,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"metadata-file":{"_internalId":149201,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":149202,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":149203,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":149204,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":149205,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":149206,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"keywords":{"_internalId":149207,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"subject":{"_internalId":149208,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"description":{"_internalId":149209,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"category":{"_internalId":149210,"type":"ref","$ref":"quarto-resource-document-metadata-category","description":"quarto-resource-document-metadata-category"},"number-sections":{"_internalId":149211,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":149212,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"reference-doc":{"_internalId":149213,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":149214,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":149215,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":149216,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":149217,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":149218,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":149219,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":149220,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":149220,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":149221,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":149222,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"filters":{"_internalId":149223,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":149224,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":149225,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":149226,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":149227,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":149228,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":149229,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":149230,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":149231,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":149232,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":149233,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":149234,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":149235,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":149236,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":149237,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":149238,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"toc":{"_internalId":149239,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":149239,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":149240,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":149241,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,metadata-file,metadata-files,lang,language,dir,grid,keywords,subject,description,category,number-sections,shift-heading-level-by,reference-doc,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,toc,table-of-contents,toc-depth,toc-title","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^reference_doc$|^referenceDoc$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":149243,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?revealjs([-+].+)?$":{"_internalId":151974,"type":"anyOf","anyOf":[{"_internalId":151972,"type":"object","description":"be an object","properties":{"eval":{"_internalId":151744,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":151745,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":151746,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":151747,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":151748,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":151749,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":151750,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":151751,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":151752,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":151753,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":151754,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":151755,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":151756,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":151757,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":151758,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":151759,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":151760,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":151761,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":151762,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":151763,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":151764,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":151765,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":151766,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":151767,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":151768,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":151769,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":151770,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":151771,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":151772,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":151773,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"comments":{"_internalId":151774,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":151775,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":151776,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":151777,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":151778,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":151779,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":151780,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":151781,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":151782,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":151783,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":151784,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":151785,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":151786,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":151787,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":151788,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":151789,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":151790,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":151791,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":151792,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":151793,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":151794,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":151795,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":151796,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":151797,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":151798,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":151799,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":151800,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":151800,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":151801,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":151802,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":151803,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":151804,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":151805,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":151806,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":151807,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":151808,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":151809,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":151810,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":151811,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":151812,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":151813,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":151814,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":151815,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":151816,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":151817,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":151818,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":151819,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":151820,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":151821,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":151822,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":151823,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":151824,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":151825,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":151826,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":151827,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":151828,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":151829,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"brand-mode":{"_internalId":151830,"type":"ref","$ref":"quarto-resource-document-layout-brand-mode","description":"quarto-resource-document-layout-brand-mode"},"grid":{"_internalId":151831,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":151832,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":151833,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":151834,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":151835,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":151836,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"revealjs-url":{"_internalId":151837,"type":"ref","$ref":"quarto-resource-document-library-revealjs-url","description":"quarto-resource-document-library-revealjs-url"},"link-external-icon":{"_internalId":151838,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":151839,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":151840,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"mermaid":{"_internalId":151841,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":151842,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":151843,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":151844,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":151845,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":151846,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":151847,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":151848,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":151849,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":151850,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":151851,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":151852,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":151853,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":151854,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"document-css":{"_internalId":151855,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":151856,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":151857,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":151858,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":151859,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":151860,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":151861,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":151862,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":151863,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":151864,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":151865,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":151866,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":151866,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":151867,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":151868,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":151869,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":151870,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":151871,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":151872,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":151873,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":151874,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":151875,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":151876,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":151877,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":151878,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":151879,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":151880,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":151881,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":151882,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":151883,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":151884,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":151885,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":151886,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"logo":{"_internalId":151887,"type":"ref","$ref":"quarto-resource-document-reveal-content-logo","description":"quarto-resource-document-reveal-content-logo"},"footer":{"_internalId":151888,"type":"ref","$ref":"quarto-resource-document-reveal-content-footer","description":"quarto-resource-document-reveal-content-footer"},"scrollable":{"_internalId":151889,"type":"ref","$ref":"quarto-resource-document-reveal-content-scrollable","description":"quarto-resource-document-reveal-content-scrollable"},"smaller":{"_internalId":151890,"type":"ref","$ref":"quarto-resource-document-reveal-content-smaller","description":"quarto-resource-document-reveal-content-smaller"},"output-location":{"_internalId":151891,"type":"ref","$ref":"quarto-resource-document-reveal-content-output-location","description":"quarto-resource-document-reveal-content-output-location"},"embedded":{"_internalId":151892,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-embedded","description":"quarto-resource-document-reveal-hidden-embedded"},"display":{"_internalId":151893,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-display","description":"quarto-resource-document-reveal-hidden-display"},"auto-stretch":{"_internalId":151894,"type":"ref","$ref":"quarto-resource-document-reveal-layout-auto-stretch","description":"quarto-resource-document-reveal-layout-auto-stretch"},"width":{"_internalId":151895,"type":"ref","$ref":"quarto-resource-document-reveal-layout-width","description":"quarto-resource-document-reveal-layout-width"},"height":{"_internalId":151896,"type":"ref","$ref":"quarto-resource-document-reveal-layout-height","description":"quarto-resource-document-reveal-layout-height"},"margin":{"_internalId":151897,"type":"ref","$ref":"quarto-resource-document-reveal-layout-margin","description":"quarto-resource-document-reveal-layout-margin"},"min-scale":{"_internalId":151898,"type":"ref","$ref":"quarto-resource-document-reveal-layout-min-scale","description":"quarto-resource-document-reveal-layout-min-scale"},"max-scale":{"_internalId":151899,"type":"ref","$ref":"quarto-resource-document-reveal-layout-max-scale","description":"quarto-resource-document-reveal-layout-max-scale"},"center":{"_internalId":151900,"type":"ref","$ref":"quarto-resource-document-reveal-layout-center","description":"quarto-resource-document-reveal-layout-center"},"disable-layout":{"_internalId":151901,"type":"ref","$ref":"quarto-resource-document-reveal-layout-disable-layout","description":"quarto-resource-document-reveal-layout-disable-layout"},"code-block-height":{"_internalId":151902,"type":"ref","$ref":"quarto-resource-document-reveal-layout-code-block-height","description":"quarto-resource-document-reveal-layout-code-block-height"},"preview-links":{"_internalId":151903,"type":"ref","$ref":"quarto-resource-document-reveal-media-preview-links","description":"quarto-resource-document-reveal-media-preview-links"},"auto-play-media":{"_internalId":151904,"type":"ref","$ref":"quarto-resource-document-reveal-media-auto-play-media","description":"quarto-resource-document-reveal-media-auto-play-media"},"preload-iframes":{"_internalId":151905,"type":"ref","$ref":"quarto-resource-document-reveal-media-preload-iframes","description":"quarto-resource-document-reveal-media-preload-iframes"},"view-distance":{"_internalId":151906,"type":"ref","$ref":"quarto-resource-document-reveal-media-view-distance","description":"quarto-resource-document-reveal-media-view-distance"},"mobile-view-distance":{"_internalId":151907,"type":"ref","$ref":"quarto-resource-document-reveal-media-mobile-view-distance","description":"quarto-resource-document-reveal-media-mobile-view-distance"},"parallax-background-image":{"_internalId":151908,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-image","description":"quarto-resource-document-reveal-media-parallax-background-image"},"parallax-background-size":{"_internalId":151909,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-size","description":"quarto-resource-document-reveal-media-parallax-background-size"},"parallax-background-horizontal":{"_internalId":151910,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-horizontal","description":"quarto-resource-document-reveal-media-parallax-background-horizontal"},"parallax-background-vertical":{"_internalId":151911,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-vertical","description":"quarto-resource-document-reveal-media-parallax-background-vertical"},"progress":{"_internalId":151912,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-progress","description":"quarto-resource-document-reveal-navigation-progress"},"history":{"_internalId":151913,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-history","description":"quarto-resource-document-reveal-navigation-history"},"navigation-mode":{"_internalId":151914,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-navigation-mode","description":"quarto-resource-document-reveal-navigation-navigation-mode"},"touch":{"_internalId":151915,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-touch","description":"quarto-resource-document-reveal-navigation-touch"},"keyboard":{"_internalId":151916,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-keyboard","description":"quarto-resource-document-reveal-navigation-keyboard"},"mouse-wheel":{"_internalId":151917,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-mouse-wheel","description":"quarto-resource-document-reveal-navigation-mouse-wheel"},"hide-inactive-cursor":{"_internalId":151918,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-inactive-cursor","description":"quarto-resource-document-reveal-navigation-hide-inactive-cursor"},"hide-cursor-time":{"_internalId":151919,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-cursor-time","description":"quarto-resource-document-reveal-navigation-hide-cursor-time"},"loop":{"_internalId":151920,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-loop","description":"quarto-resource-document-reveal-navigation-loop"},"shuffle":{"_internalId":151921,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-shuffle","description":"quarto-resource-document-reveal-navigation-shuffle"},"controls":{"_internalId":151922,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls","description":"quarto-resource-document-reveal-navigation-controls"},"controls-layout":{"_internalId":151923,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-layout","description":"quarto-resource-document-reveal-navigation-controls-layout"},"controls-tutorial":{"_internalId":151924,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-tutorial","description":"quarto-resource-document-reveal-navigation-controls-tutorial"},"controls-back-arrows":{"_internalId":151925,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-back-arrows","description":"quarto-resource-document-reveal-navigation-controls-back-arrows"},"auto-slide":{"_internalId":151926,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide","description":"quarto-resource-document-reveal-navigation-auto-slide"},"auto-slide-stoppable":{"_internalId":151927,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-stoppable","description":"quarto-resource-document-reveal-navigation-auto-slide-stoppable"},"auto-slide-method":{"_internalId":151928,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-method","description":"quarto-resource-document-reveal-navigation-auto-slide-method"},"default-timing":{"_internalId":151929,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-default-timing","description":"quarto-resource-document-reveal-navigation-default-timing"},"pause":{"_internalId":151930,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-pause","description":"quarto-resource-document-reveal-navigation-pause"},"help":{"_internalId":151931,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-help","description":"quarto-resource-document-reveal-navigation-help"},"hash":{"_internalId":151932,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash","description":"quarto-resource-document-reveal-navigation-hash"},"hash-type":{"_internalId":151933,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-type","description":"quarto-resource-document-reveal-navigation-hash-type"},"hash-one-based-index":{"_internalId":151934,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-one-based-index","description":"quarto-resource-document-reveal-navigation-hash-one-based-index"},"respond-to-hash-changes":{"_internalId":151935,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-respond-to-hash-changes","description":"quarto-resource-document-reveal-navigation-respond-to-hash-changes"},"fragment-in-url":{"_internalId":151936,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-fragment-in-url","description":"quarto-resource-document-reveal-navigation-fragment-in-url"},"slide-tone":{"_internalId":151937,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-slide-tone","description":"quarto-resource-document-reveal-navigation-slide-tone"},"jump-to-slide":{"_internalId":151938,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-jump-to-slide","description":"quarto-resource-document-reveal-navigation-jump-to-slide"},"pdf-max-pages-per-slide":{"_internalId":151939,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide","description":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide"},"pdf-separate-fragments":{"_internalId":151940,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-separate-fragments","description":"quarto-resource-document-reveal-print-pdf-separate-fragments"},"pdf-page-height-offset":{"_internalId":151941,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-page-height-offset","description":"quarto-resource-document-reveal-print-pdf-page-height-offset"},"overview":{"_internalId":151942,"type":"ref","$ref":"quarto-resource-document-reveal-tools-overview","description":"quarto-resource-document-reveal-tools-overview"},"menu":{"_internalId":151943,"type":"ref","$ref":"quarto-resource-document-reveal-tools-menu","description":"quarto-resource-document-reveal-tools-menu"},"chalkboard":{"_internalId":151944,"type":"ref","$ref":"quarto-resource-document-reveal-tools-chalkboard","description":"quarto-resource-document-reveal-tools-chalkboard"},"multiplex":{"_internalId":151945,"type":"ref","$ref":"quarto-resource-document-reveal-tools-multiplex","description":"quarto-resource-document-reveal-tools-multiplex"},"scroll-view":{"_internalId":151946,"type":"ref","$ref":"quarto-resource-document-reveal-tools-scroll-view","description":"quarto-resource-document-reveal-tools-scroll-view"},"transition":{"_internalId":151947,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition","description":"quarto-resource-document-reveal-transitions-transition"},"transition-speed":{"_internalId":151948,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition-speed","description":"quarto-resource-document-reveal-transitions-transition-speed"},"background-transition":{"_internalId":151949,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-background-transition","description":"quarto-resource-document-reveal-transitions-background-transition"},"fragments":{"_internalId":151950,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-fragments","description":"quarto-resource-document-reveal-transitions-fragments"},"auto-animate":{"_internalId":151951,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate","description":"quarto-resource-document-reveal-transitions-auto-animate"},"auto-animate-easing":{"_internalId":151952,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-easing","description":"quarto-resource-document-reveal-transitions-auto-animate-easing"},"auto-animate-duration":{"_internalId":151953,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-duration","description":"quarto-resource-document-reveal-transitions-auto-animate-duration"},"auto-animate-unmatched":{"_internalId":151954,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-unmatched","description":"quarto-resource-document-reveal-transitions-auto-animate-unmatched"},"auto-animate-styles":{"_internalId":151955,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-styles","description":"quarto-resource-document-reveal-transitions-auto-animate-styles"},"incremental":{"_internalId":151956,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":151957,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"slide-number":{"_internalId":151958,"type":"ref","$ref":"quarto-resource-document-slides-slide-number","description":"quarto-resource-document-slides-slide-number"},"show-slide-number":{"_internalId":151959,"type":"ref","$ref":"quarto-resource-document-slides-show-slide-number","description":"quarto-resource-document-slides-show-slide-number"},"title-slide-attributes":{"_internalId":151960,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-attributes","description":"quarto-resource-document-slides-title-slide-attributes"},"title-slide-style":{"_internalId":151961,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-style","description":"quarto-resource-document-slides-title-slide-style"},"center-title-slide":{"_internalId":151962,"type":"ref","$ref":"quarto-resource-document-slides-center-title-slide","description":"quarto-resource-document-slides-center-title-slide"},"show-notes":{"_internalId":151963,"type":"ref","$ref":"quarto-resource-document-slides-show-notes","description":"quarto-resource-document-slides-show-notes"},"rtl":{"_internalId":151964,"type":"ref","$ref":"quarto-resource-document-slides-rtl","description":"quarto-resource-document-slides-rtl"},"df-print":{"_internalId":151965,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":151966,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":151967,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":151968,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":151968,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":151969,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-title":{"_internalId":151970,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"axe":{"_internalId":151971,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,brand-mode,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,revealjs-url,link-external-icon,link-external-newwindow,link-external-filter,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,logo,footer,scrollable,smaller,output-location,embedded,display,auto-stretch,width,height,margin,min-scale,max-scale,center,disable-layout,code-block-height,preview-links,auto-play-media,preload-iframes,view-distance,mobile-view-distance,parallax-background-image,parallax-background-size,parallax-background-horizontal,parallax-background-vertical,progress,history,navigation-mode,touch,keyboard,mouse-wheel,hide-inactive-cursor,hide-cursor-time,loop,shuffle,controls,controls-layout,controls-tutorial,controls-back-arrows,auto-slide,auto-slide-stoppable,auto-slide-method,default-timing,pause,help,hash,hash-type,hash-one-based-index,respond-to-hash-changes,fragment-in-url,slide-tone,jump-to-slide,pdf-max-pages-per-slide,pdf-separate-fragments,pdf-page-height-offset,overview,menu,chalkboard,multiplex,scroll-view,transition,transition-speed,background-transition,fragments,auto-animate,auto-animate-easing,auto-animate-duration,auto-animate-unmatched,auto-animate-styles,incremental,slide-level,slide-number,show-slide-number,title-slide-attributes,title-slide-style,center-title-slide,show-notes,rtl,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,toc-title,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^brand_mode$|^brandMode$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^revealjs_url$|^revealjsUrl$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$|^auto_stretch$|^autoStretch$|^min_scale$|^minScale$|^max_scale$|^maxScale$|^disable_layout$|^disableLayout$|^code_block_height$|^codeBlockHeight$|^preview_links$|^previewLinks$|^auto_play_media$|^autoPlayMedia$|^preload_iframes$|^preloadIframes$|^view_distance$|^viewDistance$|^mobile_view_distance$|^mobileViewDistance$|^parallax_background_image$|^parallaxBackgroundImage$|^parallax_background_size$|^parallaxBackgroundSize$|^parallax_background_horizontal$|^parallaxBackgroundHorizontal$|^parallax_background_vertical$|^parallaxBackgroundVertical$|^navigation_mode$|^navigationMode$|^mouse_wheel$|^mouseWheel$|^hide_inactive_cursor$|^hideInactiveCursor$|^hide_cursor_time$|^hideCursorTime$|^controls_layout$|^controlsLayout$|^controls_tutorial$|^controlsTutorial$|^controls_back_arrows$|^controlsBackArrows$|^auto_slide$|^autoSlide$|^auto_slide_stoppable$|^autoSlideStoppable$|^auto_slide_method$|^autoSlideMethod$|^default_timing$|^defaultTiming$|^hash_type$|^hashType$|^hash_one_based_index$|^hashOneBasedIndex$|^respond_to_hash_changes$|^respondToHashChanges$|^fragment_in_url$|^fragmentInUrl$|^slide_tone$|^slideTone$|^jump_to_slide$|^jumpToSlide$|^pdf_max_pages_per_slide$|^pdfMaxPagesPerSlide$|^pdf_separate_fragments$|^pdfSeparateFragments$|^pdf_page_height_offset$|^pdfPageHeightOffset$|^scroll_view$|^scrollView$|^transition_speed$|^transitionSpeed$|^background_transition$|^backgroundTransition$|^auto_animate$|^autoAnimate$|^auto_animate_easing$|^autoAnimateEasing$|^auto_animate_duration$|^autoAnimateDuration$|^auto_animate_unmatched$|^autoAnimateUnmatched$|^auto_animate_styles$|^autoAnimateStyles$|^slide_level$|^slideLevel$|^slide_number$|^slideNumber$|^show_slide_number$|^showSlideNumber$|^title_slide_attributes$|^titleSlideAttributes$|^title_slide_style$|^titleSlideStyle$|^center_title_slide$|^centerTitleSlide$|^show_notes$|^showNotes$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$|^toc_title$|^tocTitle$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":151973,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?rst([-+].+)?$":{"_internalId":154573,"type":"anyOf","anyOf":[{"_internalId":154571,"type":"object","description":"be an object","properties":{"eval":{"_internalId":154474,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":154475,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":154476,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":154477,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":154478,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":154479,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":154480,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":154481,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":154482,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":154483,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":154484,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":154485,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":154486,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":154487,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":154488,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":154489,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":154490,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":154491,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":154492,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":154493,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":154494,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":154495,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":154496,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":154497,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":154498,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":154499,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":154500,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":154501,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":154502,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":154503,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":154504,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":154505,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":154506,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"list-tables":{"_internalId":154507,"type":"ref","$ref":"quarto-resource-document-formatting-list-tables","description":"quarto-resource-document-formatting-list-tables"},"funding":{"_internalId":154508,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":154509,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":154509,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":154510,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":154511,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":154512,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":154513,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":154514,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":154515,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":154516,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":154517,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":154518,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":154519,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":154520,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":154521,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":154522,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":154523,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":154524,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":154525,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":154526,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":154527,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":154528,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":154529,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":154530,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":154531,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":154532,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":154533,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":154534,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":154535,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":154536,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":154537,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":154538,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":154539,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":154540,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":154541,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":154542,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":154543,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":154544,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":154545,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":154546,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":154546,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":154547,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":154548,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":154549,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":154550,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":154551,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":154552,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":154553,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":154554,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":154555,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":154556,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":154557,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":154558,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":154559,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":154560,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":154561,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":154562,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":154563,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":154564,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":154565,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":154566,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":154567,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":154568,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":154569,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":154569,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":154570,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,list-tables,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^list_tables$|^listTables$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":154572,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?rtf([-+].+)?$":{"_internalId":157172,"type":"anyOf","anyOf":[{"_internalId":157170,"type":"object","description":"be an object","properties":{"eval":{"_internalId":157073,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":157074,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"fig-align":{"_internalId":157075,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"output":{"_internalId":157076,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":157077,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":157078,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":157079,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":157080,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":157081,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":157082,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":157083,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":157084,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":157085,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":157086,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":157087,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":157088,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":157089,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":157090,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":157091,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":157092,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":157093,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":157094,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":157095,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":157096,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":157097,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":157098,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":157099,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":157100,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":157101,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":157102,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":157103,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":157104,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":157105,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":157106,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":157107,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":157108,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":157108,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":157109,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":157110,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":157111,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":157112,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":157113,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":157114,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":157115,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":157116,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":157117,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":157118,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":157119,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":157120,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":157121,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":157122,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":157123,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":157124,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":157125,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":157126,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":157127,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":157128,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":157129,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":157130,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":157131,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":157132,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":157133,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":157134,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":157135,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":157136,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":157137,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":157138,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":157139,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":157140,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":157141,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":157142,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":157143,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":157144,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":157145,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":157145,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":157146,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":157147,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":157148,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":157149,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":157150,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":157151,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":157152,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":157153,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":157154,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":157155,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":157156,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":157157,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":157158,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":157159,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":157160,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":157161,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":157162,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":157163,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":157164,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":157165,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":157166,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":157167,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":157168,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":157168,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":157169,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,fig-align,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^fig_align$|^figAlign$|^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":157171,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?s5([-+].+)?$":{"_internalId":159821,"type":"anyOf","anyOf":[{"_internalId":159819,"type":"object","description":"be an object","properties":{"eval":{"_internalId":159672,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":159673,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":159674,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":159675,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":159676,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":159677,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":159678,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":159679,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":159680,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":159681,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":159682,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":159683,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":159684,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":159685,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":159686,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":159687,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":159688,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":159689,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":159690,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":159691,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":159692,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":159693,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":159694,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":159695,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":159696,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":159697,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":159698,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":159699,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":159700,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":159701,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":159702,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":159703,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":159704,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":159705,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":159706,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":159707,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":159708,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":159709,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":159710,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":159711,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":159712,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":159713,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":159714,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":159715,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":159716,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":159717,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":159718,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":159719,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":159720,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":159721,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":159722,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":159723,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":159724,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":159725,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":159726,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":159727,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":159728,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":159729,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":159729,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":159730,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":159731,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":159732,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":159733,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":159734,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":159735,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":159736,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":159737,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":159738,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":159739,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":159740,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":159741,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":159742,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":159743,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":159744,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":159745,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":159746,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":159747,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":159748,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":159749,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":159750,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":159751,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":159752,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":159753,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":159754,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":159755,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":159756,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":159757,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":159758,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":159759,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":159760,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":159761,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":159762,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":159763,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":159764,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"s5-url":{"_internalId":159765,"type":"ref","$ref":"quarto-resource-document-library-s5-url","description":"quarto-resource-document-library-s5-url"},"mermaid":{"_internalId":159766,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":159767,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":159768,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":159769,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":159770,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":159771,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":159772,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":159773,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":159774,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":159775,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":159776,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":159777,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":159778,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":159779,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":159780,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":159781,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":159782,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":159783,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":159784,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":159785,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":159786,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":159787,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":159788,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":159789,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":159790,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":159790,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":159791,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":159792,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":159793,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":159794,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":159795,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":159796,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":159797,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":159798,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":159799,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":159800,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":159801,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":159802,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":159803,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":159804,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":159805,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":159806,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":159807,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":159808,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":159809,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":159810,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":159811,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":159812,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":159813,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":159814,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":159815,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":159816,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":159816,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":159817,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":159818,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,s5-url,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^s5_url$|^s5Url$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":159820,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?slideous([-+].+)?$":{"_internalId":162470,"type":"anyOf","anyOf":[{"_internalId":162468,"type":"object","description":"be an object","properties":{"eval":{"_internalId":162321,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":162322,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":162323,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":162324,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":162325,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":162326,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":162327,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":162328,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":162329,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":162330,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":162331,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":162332,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":162333,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":162334,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":162335,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":162336,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":162337,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":162338,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":162339,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":162340,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":162341,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":162342,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":162343,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":162344,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":162345,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":162346,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":162347,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":162348,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":162349,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":162350,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":162351,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":162352,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":162353,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":162354,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":162355,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":162356,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":162357,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":162358,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":162359,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":162360,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":162361,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":162362,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":162363,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":162364,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":162365,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":162366,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":162367,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":162368,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":162369,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":162370,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":162371,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":162372,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":162373,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":162374,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":162375,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":162376,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":162377,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":162378,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":162378,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":162379,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":162380,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":162381,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":162382,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":162383,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":162384,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":162385,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":162386,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":162387,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":162388,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":162389,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":162390,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":162391,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":162392,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":162393,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":162394,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":162395,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":162396,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":162397,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":162398,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":162399,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":162400,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":162401,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":162402,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":162403,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":162404,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":162405,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":162406,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":162407,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":162408,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":162409,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":162410,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":162411,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":162412,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":162413,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"slideous-url":{"_internalId":162414,"type":"ref","$ref":"quarto-resource-document-library-slideous-url","description":"quarto-resource-document-library-slideous-url"},"mermaid":{"_internalId":162415,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":162416,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":162417,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":162418,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":162419,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":162420,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":162421,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":162422,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":162423,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":162424,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":162425,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":162426,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":162427,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":162428,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":162429,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":162430,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":162431,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":162432,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":162433,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":162434,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":162435,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":162436,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":162437,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":162438,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":162439,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":162439,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":162440,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":162441,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":162442,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":162443,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":162444,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":162445,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":162446,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":162447,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":162448,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":162449,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":162450,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":162451,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":162452,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":162453,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":162454,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":162455,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":162456,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":162457,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":162458,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":162459,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":162460,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":162461,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":162462,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":162463,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":162464,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":162465,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":162465,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":162466,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":162467,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,slideous-url,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^slideous_url$|^slideousUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":162469,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?slidy([-+].+)?$":{"_internalId":165119,"type":"anyOf","anyOf":[{"_internalId":165117,"type":"object","description":"be an object","properties":{"eval":{"_internalId":164970,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":164971,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":164972,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":164973,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":164974,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":164975,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":164976,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":164977,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":164978,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":164979,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":164980,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":164981,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":164982,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":164983,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":164984,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":164985,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":164986,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":164987,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":164988,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":164989,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"institute":{"_internalId":164990,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"order":{"_internalId":164991,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":164992,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":164993,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":164994,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":164995,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":164996,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":164997,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":164998,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":164999,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"monobackgroundcolor":{"_internalId":165000,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"comments":{"_internalId":165001,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":165002,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":165003,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"editor":{"_internalId":165004,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":165005,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":165006,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":165007,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":165008,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":165009,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":165010,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":165011,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":165012,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":165013,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":165014,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":165015,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":165016,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":165017,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":165018,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":165019,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":165020,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":165021,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":165022,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":165023,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":165024,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":165025,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":165026,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":165027,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":165027,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":165028,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":165029,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":165030,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":165031,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":165032,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":165033,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":165034,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":165035,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":165036,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":165037,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":165038,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":165039,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":165040,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":165041,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":165042,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":165043,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":165044,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":165045,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":165046,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":165047,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":165048,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":165049,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":165050,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":165051,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":165052,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":165053,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":165054,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":165055,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":165056,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":165057,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":165058,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":165059,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":165060,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":165061,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":165062,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"slidy-url":{"_internalId":165063,"type":"ref","$ref":"quarto-resource-document-library-slidy-url","description":"quarto-resource-document-library-slidy-url"},"mermaid":{"_internalId":165064,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":165065,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":165066,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":165067,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":165068,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":165069,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":165070,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":165071,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":165072,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":165073,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":165074,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":165075,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":165076,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"document-css":{"_internalId":165077,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":165078,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":165079,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":165080,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":165081,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":165082,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":165083,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":165084,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":165085,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":165086,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":165087,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":165088,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":165088,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":165089,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":165090,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":165091,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":165092,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":165093,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":165094,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":165095,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":165096,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":165097,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":165098,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":165099,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":165100,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":165101,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":165102,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":165103,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":165104,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":165105,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":165106,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":165107,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":165108,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"incremental":{"_internalId":165109,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":165110,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"df-print":{"_internalId":165111,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":165112,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":165113,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":165114,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":165114,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":165115,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":165116,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,institute,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,monobackgroundcolor,comments,crossref,crossrefs-hover,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,slidy-url,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,incremental,slide-level,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^slidy_url$|^slidyUrl$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^slide_level$|^slideLevel$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":165118,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?tei([-+].+)?$":{"_internalId":167718,"type":"anyOf","anyOf":[{"_internalId":167716,"type":"object","description":"be an object","properties":{"eval":{"_internalId":167619,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":167620,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":167621,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":167622,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":167623,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":167624,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":167625,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":167626,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":167627,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":167628,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":167629,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":167630,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":167631,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":167632,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":167633,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":167634,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":167635,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":167636,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":167637,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":167638,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":167639,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":167640,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":167641,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":167642,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":167643,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":167644,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":167645,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":167646,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":167647,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":167648,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":167649,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":167650,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":167651,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":167652,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":167653,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":167653,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":167654,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":167655,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":167656,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":167657,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":167658,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":167659,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":167660,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":167661,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":167662,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":167663,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":167664,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":167665,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":167666,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":167667,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":167668,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":167669,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":167670,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":167671,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":167672,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":167673,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":167674,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":167675,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":167676,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":167677,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":167678,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":167679,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":167680,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":167681,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":167682,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":167683,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"top-level-division":{"_internalId":167684,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"brand":{"_internalId":167685,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":167686,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":167687,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":167688,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":167689,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":167690,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":167691,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":167691,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":167692,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":167693,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":167694,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":167695,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":167696,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":167697,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":167698,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":167699,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":167700,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":167701,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":167702,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":167703,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":167704,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":167705,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":167706,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":167707,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":167708,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":167709,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":167710,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":167711,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":167712,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":167713,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":167714,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":167714,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":167715,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,top-level-division,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":167717,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?texinfo([-+].+)?$":{"_internalId":170316,"type":"anyOf","anyOf":[{"_internalId":170314,"type":"object","description":"be an object","properties":{"eval":{"_internalId":170218,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":170219,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":170220,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":170221,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":170222,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":170223,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":170224,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":170225,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":170226,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":170227,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":170228,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":170229,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":170230,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":170231,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":170232,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":170233,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":170234,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":170235,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":170236,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":170237,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":170238,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":170239,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":170240,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":170241,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":170242,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":170243,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":170244,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":170245,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":170246,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":170247,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":170248,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":170249,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":170250,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":170251,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":170252,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":170252,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":170253,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":170254,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":170255,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":170256,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":170257,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":170258,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":170259,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":170260,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":170261,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":170262,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":170263,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":170264,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":170265,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":170266,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":170267,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":170268,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":170269,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":170270,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":170271,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":170272,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":170273,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":170274,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":170275,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":170276,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":170277,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":170278,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":170279,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":170280,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":170281,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":170282,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":170283,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":170284,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":170285,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":170286,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":170287,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":170288,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":170289,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":170289,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":170290,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":170291,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":170292,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":170293,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":170294,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":170295,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":170296,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":170297,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":170298,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":170299,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":170300,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":170301,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":170302,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":170303,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":170304,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":170305,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":170306,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":170307,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":170308,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":170309,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":170310,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":170311,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":170312,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":170312,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":170313,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":170315,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?textile([-+].+)?$":{"_internalId":172915,"type":"anyOf","anyOf":[{"_internalId":172913,"type":"object","description":"be an object","properties":{"eval":{"_internalId":172816,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":172817,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":172818,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":172819,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":172820,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":172821,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":172822,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":172823,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":172824,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":172825,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":172826,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":172827,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":172828,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":172829,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":172830,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":172831,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":172832,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":172833,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":172834,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":172835,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":172836,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":172837,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":172838,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":172839,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":172840,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":172841,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":172842,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":172843,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":172844,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":172845,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":172846,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":172847,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":172848,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":172849,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":172850,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":172850,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":172851,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":172852,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":172853,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":172854,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":172855,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":172856,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":172857,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":172858,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":172859,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":172860,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":172861,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":172862,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":172863,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":172864,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":172865,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":172866,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":172867,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":172868,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":172869,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":172870,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":172871,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":172872,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":172873,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":172874,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":172875,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":172876,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":172877,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":172878,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":172879,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":172880,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":172881,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":172882,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":172883,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":172884,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":172885,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":172886,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":172887,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":172887,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":172888,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":172889,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":172890,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":172891,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":172892,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":172893,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":172894,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":172895,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":172896,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":172897,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":172898,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":172899,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":172900,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":172901,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":172902,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":172903,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":172904,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":172905,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":172906,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":172907,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":172908,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":172909,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":172910,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"toc":{"_internalId":172911,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":172911,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":172912,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":172914,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?typst([-+].+)?$":{"_internalId":175528,"type":"anyOf","anyOf":[{"_internalId":175526,"type":"object","description":"be an object","properties":{"eval":{"_internalId":175415,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":175416,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":175417,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":175418,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":175419,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":175420,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":175421,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":175422,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":175423,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":175424,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"abstract-title":{"_internalId":175425,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"order":{"_internalId":175426,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":175427,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":175428,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":175429,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":175430,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":175431,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":175432,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":175433,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":175434,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":175435,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":175436,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":175437,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":175438,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":175439,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":175440,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":175441,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":175442,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":175443,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":175444,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":175445,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":175446,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":175447,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":175448,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"mainfont":{"_internalId":175449,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"fontsize":{"_internalId":175450,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"font-paths":{"_internalId":175451,"type":"ref","$ref":"quarto-resource-document-fonts-font-paths","description":"quarto-resource-document-fonts-font-paths"},"funding":{"_internalId":175452,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":175453,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":175453,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":175454,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":175455,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":175456,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":175457,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":175458,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":175459,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":175460,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":175461,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":175462,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":175463,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":175464,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":175465,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":175466,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":175467,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":175468,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":175469,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":175470,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":175471,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":175472,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":175473,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":175474,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":175475,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":175476,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":175477,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":175478,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":175479,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":175480,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"papersize":{"_internalId":175481,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"brand-mode":{"_internalId":175482,"type":"ref","$ref":"quarto-resource-document-layout-brand-mode","description":"quarto-resource-document-layout-brand-mode"},"grid":{"_internalId":175483,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":175484,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"section-numbering":{"_internalId":175485,"type":"ref","$ref":"quarto-resource-document-numbering-section-numbering","description":"quarto-resource-document-numbering-section-numbering"},"shift-heading-level-by":{"_internalId":175486,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":175487,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":175488,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":175489,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":175490,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":175491,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"bibliographystyle":{"_internalId":175492,"type":"ref","$ref":"quarto-resource-document-references-bibliographystyle","description":"quarto-resource-document-references-bibliographystyle"},"citation-abbreviations":{"_internalId":175493,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":175494,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":175494,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":175495,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":175496,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":175497,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":175498,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":175499,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":175500,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":175501,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":175502,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":175503,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":175504,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":175505,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-typ":{"_internalId":175506,"type":"ref","$ref":"quarto-resource-document-render-keep-typ","description":"quarto-resource-document-render-keep-typ"},"extract-media":{"_internalId":175507,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":175508,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":175509,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":175510,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":175511,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":175512,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"html-pre-tag-processing":{"_internalId":175513,"type":"ref","$ref":"quarto-resource-document-render-html-pre-tag-processing","description":"quarto-resource-document-render-html-pre-tag-processing"},"css-property-processing":{"_internalId":175514,"type":"ref","$ref":"quarto-resource-document-render-css-property-processing","description":"quarto-resource-document-render-css-property-processing"},"margin":{"_internalId":175515,"type":"ref","$ref":"quarto-resource-document-reveal-layout-margin","description":"quarto-resource-document-reveal-layout-margin"},"df-print":{"_internalId":175516,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":175517,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"columns":{"_internalId":175518,"type":"ref","$ref":"quarto-resource-document-text-columns","description":"quarto-resource-document-text-columns"},"tab-stop":{"_internalId":175519,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":175520,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":175521,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":175522,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":175522,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-indent":{"_internalId":175523,"type":"ref","$ref":"quarto-resource-document-toc-toc-indent","description":"quarto-resource-document-toc-toc-indent"},"toc-depth":{"_internalId":175524,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"logo":{"_internalId":175525,"type":"ref","$ref":"quarto-resource-document-typst-logo","description":"quarto-resource-document-typst-logo"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,abstract-title,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,mainfont,fontsize,font-paths,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,papersize,brand-mode,grid,number-sections,section-numbering,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,bibliographystyle,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-typ,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,html-pre-tag-processing,css-property-processing,margin,df-print,wrap,columns,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-indent,toc-depth,logo","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^abstract_title$|^abstractTitle$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^font_paths$|^fontPaths$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^brand_mode$|^brandMode$|^number_sections$|^numberSections$|^section_numbering$|^sectionNumbering$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_typ$|^keepTyp$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^html_pre_tag_processing$|^htmlPreTagProcessing$|^css_property_processing$|^cssPropertyProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_indent$|^tocIndent$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":175527,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?xwiki([-+].+)?$":{"_internalId":178126,"type":"anyOf","anyOf":[{"_internalId":178124,"type":"object","description":"be an object","properties":{"eval":{"_internalId":178028,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":178029,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":178030,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":178031,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":178032,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":178033,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":178034,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":178035,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":178036,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":178037,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":178038,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":178039,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":178040,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":178041,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":178042,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":178043,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":178044,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":178045,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":178046,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":178047,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":178048,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":178049,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":178050,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":178051,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":178052,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":178053,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":178054,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":178055,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":178056,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":178057,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":178058,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":178059,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":178060,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":178061,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":178062,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":178062,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":178063,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":178064,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":178065,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":178066,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":178067,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":178068,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":178069,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":178070,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":178071,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":178072,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":178073,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":178074,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":178075,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":178076,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":178077,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":178078,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":178079,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":178080,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":178081,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":178082,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":178083,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":178084,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":178085,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":178086,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":178087,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":178088,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":178089,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":178090,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":178091,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":178092,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":178093,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":178094,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":178095,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":178096,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":178097,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":178098,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":178099,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":178099,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":178100,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":178101,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":178102,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":178103,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":178104,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":178105,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":178106,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":178107,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":178108,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":178109,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":178110,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":178111,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":178112,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":178113,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":178114,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":178115,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":178116,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":178117,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":178118,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":178119,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":178120,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":178121,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":178122,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":178122,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":178123,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":178125,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?zimwiki([-+].+)?$":{"_internalId":180724,"type":"anyOf","anyOf":[{"_internalId":180722,"type":"object","description":"be an object","properties":{"eval":{"_internalId":180626,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":180627,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":180628,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":180629,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":180630,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":180631,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":180632,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":180633,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":180634,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":180635,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":180636,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":180637,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":180638,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":180639,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":180640,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":180641,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":180642,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":180643,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":180644,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":180645,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":180646,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":180647,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":180648,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":180649,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":180650,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":180651,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":180652,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":180653,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":180654,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":180655,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":180656,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":180657,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":180658,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":180659,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":180660,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":180660,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":180661,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":180662,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":180663,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":180664,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":180665,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":180666,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":180667,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":180668,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":180669,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":180670,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":180671,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":180672,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":180673,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":180674,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":180675,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":180676,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":180677,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":180678,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":180679,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":180680,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":180681,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":180682,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":180683,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":180684,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":180685,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":180686,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":180687,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":180688,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":180689,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":180690,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":180691,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":180692,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":180693,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":180694,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":180695,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":180696,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":180697,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":180697,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":180698,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":180699,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":180700,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":180701,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":180702,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":180703,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":180704,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":180705,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":180706,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":180707,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":180708,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":180709,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":180710,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":180711,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":180712,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":180713,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":180714,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":180715,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":180716,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":180717,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":180718,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":180719,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":180720,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":180720,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":180721,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":180723,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?md([-+].+)?$":{"_internalId":183329,"type":"anyOf","anyOf":[{"_internalId":183327,"type":"object","description":"be an object","properties":{"eval":{"_internalId":183224,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":183225,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":183226,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":183227,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":183228,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":183229,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":183230,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":183231,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":183232,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":183233,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":183234,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":183235,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":183236,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":183237,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":183238,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":183239,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":183240,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":183241,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":183242,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":183243,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":183244,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":183245,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":183246,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":183247,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":183248,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":183249,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":183250,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":183251,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":183252,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":183253,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":183254,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":183255,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":183256,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"reference-location":{"_internalId":183257,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":183258,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":183259,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":183259,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":183260,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":183261,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":183262,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":183263,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":183264,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":183265,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":183266,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":183267,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":183268,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":183269,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":183270,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":183271,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":183272,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":183273,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"prefer-html":{"_internalId":183274,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":183275,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":183276,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":183277,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":183278,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":183279,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":183280,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":183281,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":183282,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":183283,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":183284,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":183285,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":183286,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":183287,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":183288,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":183289,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":183290,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":183291,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"identifier-prefix":{"_internalId":183292,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"variant":{"_internalId":183293,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":183294,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"quarto-required":{"_internalId":183295,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":183296,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":183297,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":183298,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":183299,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":183300,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":183300,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":183301,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":183302,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":183303,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":183304,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":183305,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":183306,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":183307,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":183308,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":183309,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":183310,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":183311,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":183312,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":183313,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":183314,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":183315,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":183316,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":183317,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":183318,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":183319,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":183320,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":183321,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":183322,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":183323,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":183324,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":183325,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":183325,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":183326,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,identifier-prefix,variant,markdown-headings,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^identifier_prefix$|^identifierPrefix$|^markdown_headings$|^markdownHeadings$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":183328,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?hugo([-+].+)?$":{"_internalId":185927,"type":"anyOf","anyOf":[{"_internalId":185925,"type":"object","description":"be an object","properties":{"eval":{"_internalId":185829,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":185830,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":185831,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":185832,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":185833,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":185834,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":185835,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":185836,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":185837,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":185838,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":185839,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":185840,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":185841,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":185842,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":185843,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":185844,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":185845,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":185846,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":185847,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":185848,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":185849,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":185850,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":185851,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":185852,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":185853,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":185854,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":185855,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":185856,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":185857,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":185858,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":185859,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":185860,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":185861,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":185862,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":185863,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":185863,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":185864,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":185865,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":185866,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":185867,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":185868,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":185869,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":185870,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":185871,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":185872,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":185873,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":185874,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":185875,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":185876,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":185877,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":185878,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":185879,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":185880,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":185881,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":185882,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":185883,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":185884,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":185885,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":185886,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":185887,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":185888,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":185889,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":185890,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":185891,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":185892,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":185893,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":185894,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":185895,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":185896,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":185897,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":185898,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":185899,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":185900,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":185900,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":185901,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":185902,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":185903,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":185904,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":185905,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":185906,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":185907,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":185908,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":185909,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":185910,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":185911,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":185912,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":185913,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":185914,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":185915,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":185916,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":185917,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":185918,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":185919,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":185920,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":185921,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":185922,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":185923,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":185923,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":185924,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":185926,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?dashboard([-+].+)?$":{"_internalId":188577,"type":"anyOf","anyOf":[{"_internalId":188575,"type":"object","description":"be an object","properties":{"eval":{"_internalId":188427,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":188428,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":188429,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":188430,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":188431,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":188432,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":188433,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"cap-location":{"_internalId":188434,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":188435,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":188436,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":188437,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":188438,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":188439,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":188440,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":188441,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":188442,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":188443,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":188444,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":188445,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":188446,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":188447,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":188448,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":188449,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":188450,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":188451,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"highlight-style":{"_internalId":188452,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":188453,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":188454,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"indented-code-classes":{"_internalId":188455,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"comments":{"_internalId":188456,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":188457,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":188458,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"logo":{"_internalId":188459,"type":"ref","$ref":"quarto-resource-document-dashboard-logo","description":"quarto-resource-document-dashboard-logo"},"orientation":{"_internalId":188460,"type":"ref","$ref":"quarto-resource-document-dashboard-orientation","description":"quarto-resource-document-dashboard-orientation"},"scrolling":{"_internalId":188461,"type":"ref","$ref":"quarto-resource-document-dashboard-scrolling","description":"quarto-resource-document-dashboard-scrolling"},"expandable":{"_internalId":188462,"type":"ref","$ref":"quarto-resource-document-dashboard-expandable","description":"quarto-resource-document-dashboard-expandable"},"nav-buttons":{"_internalId":188463,"type":"ref","$ref":"quarto-resource-document-dashboard-nav-buttons","description":"quarto-resource-document-dashboard-nav-buttons"},"editor":{"_internalId":188464,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":188465,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":188466,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":188467,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":188468,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":188469,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":188470,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":188471,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":188472,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":188473,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":188474,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":188475,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":188476,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":188477,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":188478,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":188479,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":188480,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":188481,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":188482,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":188483,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"footnotes-hover":{"_internalId":188484,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"reference-location":{"_internalId":188485,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"funding":{"_internalId":188486,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":188487,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":188487,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":188488,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":188489,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":188490,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":188491,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":188492,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":188493,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":188494,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":188495,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":188496,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":188497,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":188498,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":188499,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":188500,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":188501,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":188502,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":188503,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":188504,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":188505,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":188506,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":188507,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":188508,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":188509,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":188510,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"metadata-file":{"_internalId":188511,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":188512,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":188513,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":188514,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":188515,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"classoption":{"_internalId":188516,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"grid":{"_internalId":188517,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"max-width":{"_internalId":188518,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":188519,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":188520,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":188521,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":188522,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"mermaid":{"_internalId":188523,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":188524,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"pagetitle":{"_internalId":188525,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":188526,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":188527,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":188528,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":188529,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":188530,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":188531,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"number-offset":{"_internalId":188532,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"shift-heading-level-by":{"_internalId":188533,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"ojs-engine":{"_internalId":188534,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"brand":{"_internalId":188535,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":188536,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"document-css":{"_internalId":188537,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":188538,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"identifier-prefix":{"_internalId":188539,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":188540,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":188541,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"quarto-required":{"_internalId":188542,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":188543,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":188544,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":188545,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citeproc":{"_internalId":188546,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":188547,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":188548,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":188548,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":188549,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":188550,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":188551,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":188552,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":188553,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":188554,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":188555,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":188556,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":188557,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":188558,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":188559,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":188560,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":188561,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":188562,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":188563,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":188564,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":188565,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":188566,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":188567,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":188568,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":188569,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"strip-comments":{"_internalId":188570,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":188571,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":188572,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":188572,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":188573,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"axe":{"_internalId":188574,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,title,subtitle,date,date-format,author,order,citation,code-copy,code-link,code-annotations,highlight-style,syntax-definition,syntax-definitions,indented-code-classes,comments,crossref,crossrefs-hover,logo,orientation,scrolling,expandable,nav-buttons,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,footnotes-hover,reference-location,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,metadata-file,metadata-files,lang,language,dir,classoption,grid,max-width,margin-left,margin-right,margin-top,margin-bottom,mermaid,keywords,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,number-offset,shift-heading-level-by,ojs-engine,brand,theme,document-css,css,identifier-prefix,email-obfuscation,html-q-tags,quarto-required,bibliography,csl,citations-hover,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,strip-comments,ascii,toc,table-of-contents,toc-depth,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^nav_buttons$|^navButtons$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^footnotes_hover$|^footnotesHover$|^reference_location$|^referenceLocation$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^ojs_engine$|^ojsEngine$|^document_css$|^documentCss$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^quarto_required$|^quartoRequired$|^citations_hover$|^citationsHover$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":188576,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"},"^(.+-)?email([-+].+)?$":{"_internalId":191175,"type":"anyOf","anyOf":[{"_internalId":191173,"type":"object","description":"be an object","properties":{"eval":{"_internalId":191077,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191078,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"output":{"_internalId":191079,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191080,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191081,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191082,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"title":{"_internalId":191083,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"date":{"_internalId":191084,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":191085,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"author":{"_internalId":191086,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"order":{"_internalId":191087,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":191088,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-annotations":{"_internalId":191089,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"crossref":{"_internalId":191090,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"editor":{"_internalId":191091,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":191092,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"engine":{"_internalId":191093,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":191094,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":191095,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":191096,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":191097,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":191098,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":191099,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":191100,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":191101,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":191102,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":191103,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":191104,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":191105,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":191106,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":191107,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":191108,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":191109,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"funding":{"_internalId":191110,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":191111,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":191111,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":191112,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":191113,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":191114,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":191115,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":191116,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":191117,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":191118,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":191119,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":191120,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":191121,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":191122,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":191123,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":191124,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":191125,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"output-divs":{"_internalId":191126,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":191127,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":191128,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":191129,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":191130,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":191131,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":191132,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":191133,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"metadata-file":{"_internalId":191134,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":191135,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":191136,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":191137,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":191138,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"grid":{"_internalId":191139,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"number-sections":{"_internalId":191140,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"shift-heading-level-by":{"_internalId":191141,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"brand":{"_internalId":191142,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"quarto-required":{"_internalId":191143,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"bibliography":{"_internalId":191144,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":191145,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citeproc":{"_internalId":191146,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"citation-abbreviations":{"_internalId":191147,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"from":{"_internalId":191148,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":191148,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":191149,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":191150,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":191151,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":191152,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"filters":{"_internalId":191153,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":191154,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":191155,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":191156,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":191157,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":191158,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":191159,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"extract-media":{"_internalId":191160,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":191161,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":191162,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":191163,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":191164,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":191165,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"df-print":{"_internalId":191166,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":191167,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"tab-stop":{"_internalId":191168,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":191169,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":191170,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"toc":{"_internalId":191171,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":191171,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-depth":{"_internalId":191172,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,output,warning,error,include,title,date,date-format,author,order,citation,code-annotations,crossref,editor,zotero,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,metadata-file,metadata-files,lang,language,dir,grid,number-sections,shift-heading-level-by,brand,quarto-required,bibliography,csl,citeproc,citation-abbreviations,from,reader,output-file,output-ext,template,template-partials,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,df-print,wrap,tab-stop,preserve-tabs,eol,toc,table-of-contents,toc-depth","type":"string","pattern":"(?!(^date_format$|^dateFormat$|^code_annotations$|^codeAnnotations$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^number_sections$|^numberSections$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^quarto_required$|^quartoRequired$|^citation_abbreviations$|^citationAbbreviations$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^table_of_contents$|^tableOfContents$|^toc_depth$|^tocDepth$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":191174,"type":"enum","enum":["default"],"description":"be 'default'","completions":["default"],"exhaustiveCompletions":true}],"description":"be at least one of: an object, 'default'"}},"additionalProperties":false,"tags":{"completions":{"ansi":{"type":"key","display":"ansi","value":"ansi: ","description":"be 'ansi'","suggest_on_accept":true},"asciidoc":{"type":"key","display":"asciidoc","value":"asciidoc: ","description":"be 'asciidoc'","suggest_on_accept":true},"asciidoc_legacy":{"type":"key","display":"asciidoc_legacy","value":"asciidoc_legacy: ","description":"be 'asciidoc_legacy'","suggest_on_accept":true},"asciidoctor":{"type":"key","display":"asciidoctor","value":"asciidoctor: ","description":"be 'asciidoctor'","suggest_on_accept":true},"beamer":{"type":"key","display":"beamer","value":"beamer: ","description":"be 'beamer'","suggest_on_accept":true},"biblatex":{"type":"key","display":"biblatex","value":"biblatex: ","description":"be 'biblatex'","suggest_on_accept":true},"bibtex":{"type":"key","display":"bibtex","value":"bibtex: ","description":"be 'bibtex'","suggest_on_accept":true},"chunkedhtml":{"type":"key","display":"chunkedhtml","value":"chunkedhtml: ","description":"be 'chunkedhtml'","suggest_on_accept":true},"commonmark":{"type":"key","display":"commonmark","value":"commonmark: ","description":"be 'commonmark'","suggest_on_accept":true},"commonmark_x":{"type":"key","display":"commonmark_x","value":"commonmark_x: ","description":"be 'commonmark_x'","suggest_on_accept":true},"context":{"type":"key","display":"context","value":"context: ","description":"be 'context'","suggest_on_accept":true},"csljson":{"type":"key","display":"csljson","value":"csljson: ","description":"be 'csljson'","suggest_on_accept":true},"djot":{"type":"key","display":"djot","value":"djot: ","description":"be 'djot'","suggest_on_accept":true},"docbook":{"type":"key","display":"docbook","value":"docbook: ","description":"be 'docbook'","suggest_on_accept":true},"docx":{"type":"key","display":"docx","value":"docx: ","description":"be 'docx'","suggest_on_accept":true},"dokuwiki":{"type":"key","display":"dokuwiki","value":"dokuwiki: ","description":"be 'dokuwiki'","suggest_on_accept":true},"dzslides":{"type":"key","display":"dzslides","value":"dzslides: ","description":"be 'dzslides'","suggest_on_accept":true},"epub":{"type":"key","display":"epub","value":"epub: ","description":"be 'epub'","suggest_on_accept":true},"fb2":{"type":"key","display":"fb2","value":"fb2: ","description":"be 'fb2'","suggest_on_accept":true},"gfm":{"type":"key","display":"gfm","value":"gfm: ","description":"be 'gfm'","suggest_on_accept":true},"haddock":{"type":"key","display":"haddock","value":"haddock: ","description":"be 'haddock'","suggest_on_accept":true},"html":{"type":"key","display":"html","value":"html: ","description":"be 'html'","suggest_on_accept":true},"icml":{"type":"key","display":"icml","value":"icml: ","description":"be 'icml'","suggest_on_accept":true},"ipynb":{"type":"key","display":"ipynb","value":"ipynb: ","description":"be 'ipynb'","suggest_on_accept":true},"jats":{"type":"key","display":"jats","value":"jats: ","description":"be 'jats'","suggest_on_accept":true},"jats_archiving":{"type":"key","display":"jats_archiving","value":"jats_archiving: ","description":"be 'jats_archiving'","suggest_on_accept":true},"jats_articleauthoring":{"type":"key","display":"jats_articleauthoring","value":"jats_articleauthoring: ","description":"be 'jats_articleauthoring'","suggest_on_accept":true},"jats_publishing":{"type":"key","display":"jats_publishing","value":"jats_publishing: ","description":"be 'jats_publishing'","suggest_on_accept":true},"jira":{"type":"key","display":"jira","value":"jira: ","description":"be 'jira'","suggest_on_accept":true},"json":{"type":"key","display":"json","value":"json: ","description":"be 'json'","suggest_on_accept":true},"latex":{"type":"key","display":"latex","value":"latex: ","description":"be 'latex'","suggest_on_accept":true},"man":{"type":"key","display":"man","value":"man: ","description":"be 'man'","suggest_on_accept":true},"markdown":{"type":"key","display":"markdown","value":"markdown: ","description":"be 'markdown'","suggest_on_accept":true},"markdown_github":{"type":"key","display":"markdown_github","value":"markdown_github: ","description":"be 'markdown_github'","suggest_on_accept":true},"markdown_mmd":{"type":"key","display":"markdown_mmd","value":"markdown_mmd: ","description":"be 'markdown_mmd'","suggest_on_accept":true},"markdown_phpextra":{"type":"key","display":"markdown_phpextra","value":"markdown_phpextra: ","description":"be 'markdown_phpextra'","suggest_on_accept":true},"markdown_strict":{"type":"key","display":"markdown_strict","value":"markdown_strict: ","description":"be 'markdown_strict'","suggest_on_accept":true},"markua":{"type":"key","display":"markua","value":"markua: ","description":"be 'markua'","suggest_on_accept":true},"mediawiki":{"type":"key","display":"mediawiki","value":"mediawiki: ","description":"be 'mediawiki'","suggest_on_accept":true},"ms":{"type":"key","display":"ms","value":"ms: ","description":"be 'ms'","suggest_on_accept":true},"muse":{"type":"key","display":"muse","value":"muse: ","description":"be 'muse'","suggest_on_accept":true},"native":{"type":"key","display":"native","value":"native: ","description":"be 'native'","suggest_on_accept":true},"odt":{"type":"key","display":"odt","value":"odt: ","description":"be 'odt'","suggest_on_accept":true},"opendocument":{"type":"key","display":"opendocument","value":"opendocument: ","description":"be 'opendocument'","suggest_on_accept":true},"opml":{"type":"key","display":"opml","value":"opml: ","description":"be 'opml'","suggest_on_accept":true},"org":{"type":"key","display":"org","value":"org: ","description":"be 'org'","suggest_on_accept":true},"pdf":{"type":"key","display":"pdf","value":"pdf: ","description":"be 'pdf'","suggest_on_accept":true},"plain":{"type":"key","display":"plain","value":"plain: ","description":"be 'plain'","suggest_on_accept":true},"pptx":{"type":"key","display":"pptx","value":"pptx: ","description":"be 'pptx'","suggest_on_accept":true},"revealjs":{"type":"key","display":"revealjs","value":"revealjs: ","description":"be 'revealjs'","suggest_on_accept":true},"rst":{"type":"key","display":"rst","value":"rst: ","description":"be 'rst'","suggest_on_accept":true},"rtf":{"type":"key","display":"rtf","value":"rtf: ","description":"be 'rtf'","suggest_on_accept":true},"s5":{"type":"key","display":"s5","value":"s5: ","description":"be 's5'","suggest_on_accept":true},"slideous":{"type":"key","display":"slideous","value":"slideous: ","description":"be 'slideous'","suggest_on_accept":true},"slidy":{"type":"key","display":"slidy","value":"slidy: ","description":"be 'slidy'","suggest_on_accept":true},"tei":{"type":"key","display":"tei","value":"tei: ","description":"be 'tei'","suggest_on_accept":true},"texinfo":{"type":"key","display":"texinfo","value":"texinfo: ","description":"be 'texinfo'","suggest_on_accept":true},"textile":{"type":"key","display":"textile","value":"textile: ","description":"be 'textile'","suggest_on_accept":true},"typst":{"type":"key","display":"typst","value":"typst: ","description":"be 'typst'","suggest_on_accept":true},"xwiki":{"type":"key","display":"xwiki","value":"xwiki: ","description":"be 'xwiki'","suggest_on_accept":true},"zimwiki":{"type":"key","display":"zimwiki","value":"zimwiki: ","description":"be 'zimwiki'","suggest_on_accept":true},"md":{"type":"key","display":"md","value":"md: ","description":"be 'md'","suggest_on_accept":true},"hugo":{"type":"key","display":"hugo","value":"hugo: ","description":"be 'hugo'","suggest_on_accept":true},"dashboard":{"type":"key","display":"dashboard","value":"dashboard: ","description":"be 'dashboard'","suggest_on_accept":true},"email":{"type":"key","display":"email","value":"email: ","description":"be 'email'","suggest_on_accept":true}}}}],"description":"be all of: an object"}],"description":"be at least one of: the name of a pandoc-supported output format, an object, all of: an object","errorMessage":"${value} is not a valid output format.","$id":"front-matter-format"},"front-matter":{"_internalId":191696,"type":"anyOf","anyOf":[{"type":"null","description":"be the null value","completions":["null"],"exhaustiveCompletions":true},{"_internalId":191695,"type":"allOf","allOf":[{"_internalId":191254,"type":"object","description":"be a Quarto YAML front matter object","properties":{"execute":{"_internalId":5504,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},"format":{"_internalId":191253,"type":"ref","$ref":"front-matter-format","description":"be at least one of: the name of a pandoc-supported output format, an object, all of: an object"}},"patternProperties":{}},{"_internalId":191693,"type":"object","description":"be an object","properties":{"eval":{"_internalId":191255,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191256,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191257,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191258,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191259,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191260,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"fig-align":{"_internalId":191261,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-env":{"_internalId":191262,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191263,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"cap-location":{"_internalId":191264,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191265,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191266,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-colwidths":{"_internalId":191267,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"output":{"_internalId":191268,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191269,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191270,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191271,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"about":{"_internalId":191272,"type":"ref","$ref":"quarto-resource-document-about-about","description":"quarto-resource-document-about-about"},"title":{"_internalId":191273,"type":"ref","$ref":"quarto-resource-document-attributes-title","description":"quarto-resource-document-attributes-title"},"subtitle":{"_internalId":191274,"type":"ref","$ref":"quarto-resource-document-attributes-subtitle","description":"quarto-resource-document-attributes-subtitle"},"date":{"_internalId":191275,"type":"ref","$ref":"quarto-resource-document-attributes-date","description":"quarto-resource-document-attributes-date"},"date-format":{"_internalId":191276,"type":"ref","$ref":"quarto-resource-document-attributes-date-format","description":"quarto-resource-document-attributes-date-format"},"date-modified":{"_internalId":191277,"type":"ref","$ref":"quarto-resource-document-attributes-date-modified","description":"quarto-resource-document-attributes-date-modified"},"author":{"_internalId":191278,"type":"ref","$ref":"quarto-resource-document-attributes-author","description":"quarto-resource-document-attributes-author"},"affiliation":{"_internalId":191279,"type":"ref","$ref":"quarto-resource-document-attributes-affiliation","description":"quarto-resource-document-attributes-affiliation"},"copyright":{"_internalId":191486,"type":"ref","$ref":"quarto-resource-document-metadata-copyright","description":"quarto-resource-document-metadata-copyright"},"article":{"_internalId":191281,"type":"ref","$ref":"quarto-resource-document-attributes-article","description":"quarto-resource-document-attributes-article"},"journal":{"_internalId":191282,"type":"ref","$ref":"quarto-resource-document-attributes-journal","description":"quarto-resource-document-attributes-journal"},"institute":{"_internalId":191283,"type":"ref","$ref":"quarto-resource-document-attributes-institute","description":"quarto-resource-document-attributes-institute"},"abstract":{"_internalId":191284,"type":"ref","$ref":"quarto-resource-document-attributes-abstract","description":"quarto-resource-document-attributes-abstract"},"abstract-title":{"_internalId":191285,"type":"ref","$ref":"quarto-resource-document-attributes-abstract-title","description":"quarto-resource-document-attributes-abstract-title"},"notes":{"_internalId":191286,"type":"ref","$ref":"quarto-resource-document-attributes-notes","description":"quarto-resource-document-attributes-notes"},"tags":{"_internalId":191287,"type":"ref","$ref":"quarto-resource-document-attributes-tags","description":"quarto-resource-document-attributes-tags"},"doi":{"_internalId":191288,"type":"ref","$ref":"quarto-resource-document-attributes-doi","description":"quarto-resource-document-attributes-doi"},"thanks":{"_internalId":191289,"type":"ref","$ref":"quarto-resource-document-attributes-thanks","description":"quarto-resource-document-attributes-thanks"},"order":{"_internalId":191290,"type":"ref","$ref":"quarto-resource-document-attributes-order","description":"quarto-resource-document-attributes-order"},"citation":{"_internalId":191291,"type":"ref","$ref":"quarto-resource-document-citation-citation","description":"quarto-resource-document-citation-citation"},"code-copy":{"_internalId":191292,"type":"ref","$ref":"quarto-resource-document-code-code-copy","description":"quarto-resource-document-code-code-copy"},"code-link":{"_internalId":191293,"type":"ref","$ref":"quarto-resource-document-code-code-link","description":"quarto-resource-document-code-code-link"},"code-annotations":{"_internalId":191294,"type":"ref","$ref":"quarto-resource-document-code-code-annotations","description":"quarto-resource-document-code-code-annotations"},"code-tools":{"_internalId":191295,"type":"ref","$ref":"quarto-resource-document-code-code-tools","description":"quarto-resource-document-code-code-tools"},"code-block-border-left":{"_internalId":191296,"type":"ref","$ref":"quarto-resource-document-code-code-block-border-left","description":"quarto-resource-document-code-code-block-border-left"},"code-block-bg":{"_internalId":191297,"type":"ref","$ref":"quarto-resource-document-code-code-block-bg","description":"quarto-resource-document-code-code-block-bg"},"highlight-style":{"_internalId":191298,"type":"ref","$ref":"quarto-resource-document-code-highlight-style","description":"quarto-resource-document-code-highlight-style"},"syntax-definition":{"_internalId":191299,"type":"ref","$ref":"quarto-resource-document-code-syntax-definition","description":"quarto-resource-document-code-syntax-definition"},"syntax-definitions":{"_internalId":191300,"type":"ref","$ref":"quarto-resource-document-code-syntax-definitions","description":"quarto-resource-document-code-syntax-definitions"},"listings":{"_internalId":191301,"type":"ref","$ref":"quarto-resource-document-code-listings","description":"quarto-resource-document-code-listings"},"indented-code-classes":{"_internalId":191302,"type":"ref","$ref":"quarto-resource-document-code-indented-code-classes","description":"quarto-resource-document-code-indented-code-classes"},"fontcolor":{"_internalId":191303,"type":"ref","$ref":"quarto-resource-document-colors-fontcolor","description":"quarto-resource-document-colors-fontcolor"},"linkcolor":{"_internalId":191304,"type":"ref","$ref":"quarto-resource-document-colors-linkcolor","description":"quarto-resource-document-colors-linkcolor"},"monobackgroundcolor":{"_internalId":191305,"type":"ref","$ref":"quarto-resource-document-colors-monobackgroundcolor","description":"quarto-resource-document-colors-monobackgroundcolor"},"backgroundcolor":{"_internalId":191306,"type":"ref","$ref":"quarto-resource-document-colors-backgroundcolor","description":"quarto-resource-document-colors-backgroundcolor"},"filecolor":{"_internalId":191307,"type":"ref","$ref":"quarto-resource-document-colors-filecolor","description":"quarto-resource-document-colors-filecolor"},"citecolor":{"_internalId":191308,"type":"ref","$ref":"quarto-resource-document-colors-citecolor","description":"quarto-resource-document-colors-citecolor"},"urlcolor":{"_internalId":191309,"type":"ref","$ref":"quarto-resource-document-colors-urlcolor","description":"quarto-resource-document-colors-urlcolor"},"toccolor":{"_internalId":191310,"type":"ref","$ref":"quarto-resource-document-colors-toccolor","description":"quarto-resource-document-colors-toccolor"},"colorlinks":{"_internalId":191311,"type":"ref","$ref":"quarto-resource-document-colors-colorlinks","description":"quarto-resource-document-colors-colorlinks"},"contrastcolor":{"_internalId":191312,"type":"ref","$ref":"quarto-resource-document-colors-contrastcolor","description":"quarto-resource-document-colors-contrastcolor"},"comments":{"_internalId":191313,"type":"ref","$ref":"quarto-resource-document-comments-comments","description":"quarto-resource-document-comments-comments"},"crossref":{"_internalId":191314,"type":"ref","$ref":"quarto-resource-document-crossref-crossref","description":"quarto-resource-document-crossref-crossref"},"crossrefs-hover":{"_internalId":191315,"type":"ref","$ref":"quarto-resource-document-crossref-crossrefs-hover","description":"quarto-resource-document-crossref-crossrefs-hover"},"logo":{"_internalId":191692,"type":"ref","$ref":"quarto-resource-document-typst-logo","description":"quarto-resource-document-typst-logo"},"orientation":{"_internalId":191317,"type":"ref","$ref":"quarto-resource-document-dashboard-orientation","description":"quarto-resource-document-dashboard-orientation"},"scrolling":{"_internalId":191318,"type":"ref","$ref":"quarto-resource-document-dashboard-scrolling","description":"quarto-resource-document-dashboard-scrolling"},"expandable":{"_internalId":191319,"type":"ref","$ref":"quarto-resource-document-dashboard-expandable","description":"quarto-resource-document-dashboard-expandable"},"nav-buttons":{"_internalId":191320,"type":"ref","$ref":"quarto-resource-document-dashboard-nav-buttons","description":"quarto-resource-document-dashboard-nav-buttons"},"editor":{"_internalId":191321,"type":"ref","$ref":"quarto-resource-document-editor-editor","description":"quarto-resource-document-editor-editor"},"zotero":{"_internalId":191322,"type":"ref","$ref":"quarto-resource-document-editor-zotero","description":"quarto-resource-document-editor-zotero"},"identifier":{"_internalId":191323,"type":"ref","$ref":"quarto-resource-document-epub-identifier","description":"quarto-resource-document-epub-identifier"},"creator":{"_internalId":191324,"type":"ref","$ref":"quarto-resource-document-epub-creator","description":"quarto-resource-document-epub-creator"},"contributor":{"_internalId":191325,"type":"ref","$ref":"quarto-resource-document-epub-contributor","description":"quarto-resource-document-epub-contributor"},"subject":{"_internalId":191483,"type":"ref","$ref":"quarto-resource-document-metadata-subject","description":"quarto-resource-document-metadata-subject"},"type":{"_internalId":191327,"type":"ref","$ref":"quarto-resource-document-epub-type","description":"quarto-resource-document-epub-type"},"relation":{"_internalId":191328,"type":"ref","$ref":"quarto-resource-document-epub-relation","description":"quarto-resource-document-epub-relation"},"coverage":{"_internalId":191329,"type":"ref","$ref":"quarto-resource-document-epub-coverage","description":"quarto-resource-document-epub-coverage"},"rights":{"_internalId":191330,"type":"ref","$ref":"quarto-resource-document-epub-rights","description":"quarto-resource-document-epub-rights"},"belongs-to-collection":{"_internalId":191331,"type":"ref","$ref":"quarto-resource-document-epub-belongs-to-collection","description":"quarto-resource-document-epub-belongs-to-collection"},"group-position":{"_internalId":191332,"type":"ref","$ref":"quarto-resource-document-epub-group-position","description":"quarto-resource-document-epub-group-position"},"page-progression-direction":{"_internalId":191333,"type":"ref","$ref":"quarto-resource-document-epub-page-progression-direction","description":"quarto-resource-document-epub-page-progression-direction"},"ibooks":{"_internalId":191334,"type":"ref","$ref":"quarto-resource-document-epub-ibooks","description":"quarto-resource-document-epub-ibooks"},"epub-metadata":{"_internalId":191335,"type":"ref","$ref":"quarto-resource-document-epub-epub-metadata","description":"quarto-resource-document-epub-epub-metadata"},"epub-subdirectory":{"_internalId":191336,"type":"ref","$ref":"quarto-resource-document-epub-epub-subdirectory","description":"quarto-resource-document-epub-epub-subdirectory"},"epub-fonts":{"_internalId":191337,"type":"ref","$ref":"quarto-resource-document-epub-epub-fonts","description":"quarto-resource-document-epub-epub-fonts"},"epub-chapter-level":{"_internalId":191338,"type":"ref","$ref":"quarto-resource-document-epub-epub-chapter-level","description":"quarto-resource-document-epub-epub-chapter-level"},"epub-cover-image":{"_internalId":191339,"type":"ref","$ref":"quarto-resource-document-epub-epub-cover-image","description":"quarto-resource-document-epub-epub-cover-image"},"epub-title-page":{"_internalId":191340,"type":"ref","$ref":"quarto-resource-document-epub-epub-title-page","description":"quarto-resource-document-epub-epub-title-page"},"engine":{"_internalId":191341,"type":"ref","$ref":"quarto-resource-document-execute-engine","description":"quarto-resource-document-execute-engine"},"jupyter":{"_internalId":191342,"type":"ref","$ref":"quarto-resource-document-execute-jupyter","description":"quarto-resource-document-execute-jupyter"},"julia":{"_internalId":191343,"type":"ref","$ref":"quarto-resource-document-execute-julia","description":"quarto-resource-document-execute-julia"},"knitr":{"_internalId":191344,"type":"ref","$ref":"quarto-resource-document-execute-knitr","description":"quarto-resource-document-execute-knitr"},"cache":{"_internalId":191345,"type":"ref","$ref":"quarto-resource-document-execute-cache","description":"quarto-resource-document-execute-cache"},"freeze":{"_internalId":191346,"type":"ref","$ref":"quarto-resource-document-execute-freeze","description":"quarto-resource-document-execute-freeze"},"server":{"_internalId":191347,"type":"ref","$ref":"quarto-resource-document-execute-server","description":"quarto-resource-document-execute-server"},"daemon":{"_internalId":191348,"type":"ref","$ref":"quarto-resource-document-execute-daemon","description":"quarto-resource-document-execute-daemon"},"daemon-restart":{"_internalId":191349,"type":"ref","$ref":"quarto-resource-document-execute-daemon-restart","description":"quarto-resource-document-execute-daemon-restart"},"enabled":{"_internalId":191350,"type":"ref","$ref":"quarto-resource-document-execute-enabled","description":"quarto-resource-document-execute-enabled"},"ipynb":{"_internalId":191351,"type":"ref","$ref":"quarto-resource-document-execute-ipynb","description":"quarto-resource-document-execute-ipynb"},"debug":{"_internalId":191352,"type":"ref","$ref":"quarto-resource-document-execute-debug","description":"quarto-resource-document-execute-debug"},"fig-width":{"_internalId":191353,"type":"ref","$ref":"quarto-resource-document-figures-fig-width","description":"quarto-resource-document-figures-fig-width"},"fig-height":{"_internalId":191354,"type":"ref","$ref":"quarto-resource-document-figures-fig-height","description":"quarto-resource-document-figures-fig-height"},"fig-format":{"_internalId":191355,"type":"ref","$ref":"quarto-resource-document-figures-fig-format","description":"quarto-resource-document-figures-fig-format"},"fig-dpi":{"_internalId":191356,"type":"ref","$ref":"quarto-resource-document-figures-fig-dpi","description":"quarto-resource-document-figures-fig-dpi"},"fig-asp":{"_internalId":191357,"type":"ref","$ref":"quarto-resource-document-figures-fig-asp","description":"quarto-resource-document-figures-fig-asp"},"fig-responsive":{"_internalId":191358,"type":"ref","$ref":"quarto-resource-document-figures-fig-responsive","description":"quarto-resource-document-figures-fig-responsive"},"mainfont":{"_internalId":191359,"type":"ref","$ref":"quarto-resource-document-fonts-mainfont","description":"quarto-resource-document-fonts-mainfont"},"monofont":{"_internalId":191360,"type":"ref","$ref":"quarto-resource-document-fonts-monofont","description":"quarto-resource-document-fonts-monofont"},"fontsize":{"_internalId":191361,"type":"ref","$ref":"quarto-resource-document-fonts-fontsize","description":"quarto-resource-document-fonts-fontsize"},"fontenc":{"_internalId":191362,"type":"ref","$ref":"quarto-resource-document-fonts-fontenc","description":"quarto-resource-document-fonts-fontenc"},"fontfamily":{"_internalId":191363,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamily","description":"quarto-resource-document-fonts-fontfamily"},"fontfamilyoptions":{"_internalId":191364,"type":"ref","$ref":"quarto-resource-document-fonts-fontfamilyoptions","description":"quarto-resource-document-fonts-fontfamilyoptions"},"sansfont":{"_internalId":191365,"type":"ref","$ref":"quarto-resource-document-fonts-sansfont","description":"quarto-resource-document-fonts-sansfont"},"mathfont":{"_internalId":191366,"type":"ref","$ref":"quarto-resource-document-fonts-mathfont","description":"quarto-resource-document-fonts-mathfont"},"CJKmainfont":{"_internalId":191367,"type":"ref","$ref":"quarto-resource-document-fonts-CJKmainfont","description":"quarto-resource-document-fonts-CJKmainfont"},"mainfontoptions":{"_internalId":191368,"type":"ref","$ref":"quarto-resource-document-fonts-mainfontoptions","description":"quarto-resource-document-fonts-mainfontoptions"},"sansfontoptions":{"_internalId":191369,"type":"ref","$ref":"quarto-resource-document-fonts-sansfontoptions","description":"quarto-resource-document-fonts-sansfontoptions"},"monofontoptions":{"_internalId":191370,"type":"ref","$ref":"quarto-resource-document-fonts-monofontoptions","description":"quarto-resource-document-fonts-monofontoptions"},"mathfontoptions":{"_internalId":191371,"type":"ref","$ref":"quarto-resource-document-fonts-mathfontoptions","description":"quarto-resource-document-fonts-mathfontoptions"},"font-paths":{"_internalId":191372,"type":"ref","$ref":"quarto-resource-document-fonts-font-paths","description":"quarto-resource-document-fonts-font-paths"},"CJKoptions":{"_internalId":191373,"type":"ref","$ref":"quarto-resource-document-fonts-CJKoptions","description":"quarto-resource-document-fonts-CJKoptions"},"microtypeoptions":{"_internalId":191374,"type":"ref","$ref":"quarto-resource-document-fonts-microtypeoptions","description":"quarto-resource-document-fonts-microtypeoptions"},"pointsize":{"_internalId":191375,"type":"ref","$ref":"quarto-resource-document-fonts-pointsize","description":"quarto-resource-document-fonts-pointsize"},"lineheight":{"_internalId":191376,"type":"ref","$ref":"quarto-resource-document-fonts-lineheight","description":"quarto-resource-document-fonts-lineheight"},"linestretch":{"_internalId":191377,"type":"ref","$ref":"quarto-resource-document-fonts-linestretch","description":"quarto-resource-document-fonts-linestretch"},"interlinespace":{"_internalId":191378,"type":"ref","$ref":"quarto-resource-document-fonts-interlinespace","description":"quarto-resource-document-fonts-interlinespace"},"linkstyle":{"_internalId":191379,"type":"ref","$ref":"quarto-resource-document-fonts-linkstyle","description":"quarto-resource-document-fonts-linkstyle"},"whitespace":{"_internalId":191380,"type":"ref","$ref":"quarto-resource-document-fonts-whitespace","description":"quarto-resource-document-fonts-whitespace"},"footnotes-hover":{"_internalId":191381,"type":"ref","$ref":"quarto-resource-document-footnotes-footnotes-hover","description":"quarto-resource-document-footnotes-footnotes-hover"},"links-as-notes":{"_internalId":191382,"type":"ref","$ref":"quarto-resource-document-footnotes-links-as-notes","description":"quarto-resource-document-footnotes-links-as-notes"},"reference-location":{"_internalId":191383,"type":"ref","$ref":"quarto-resource-document-footnotes-reference-location","description":"quarto-resource-document-footnotes-reference-location"},"indenting":{"_internalId":191384,"type":"ref","$ref":"quarto-resource-document-formatting-indenting","description":"quarto-resource-document-formatting-indenting"},"adjusting":{"_internalId":191385,"type":"ref","$ref":"quarto-resource-document-formatting-adjusting","description":"quarto-resource-document-formatting-adjusting"},"hyphenate":{"_internalId":191386,"type":"ref","$ref":"quarto-resource-document-formatting-hyphenate","description":"quarto-resource-document-formatting-hyphenate"},"list-tables":{"_internalId":191387,"type":"ref","$ref":"quarto-resource-document-formatting-list-tables","description":"quarto-resource-document-formatting-list-tables"},"split-level":{"_internalId":191388,"type":"ref","$ref":"quarto-resource-document-formatting-split-level","description":"quarto-resource-document-formatting-split-level"},"funding":{"_internalId":191389,"type":"ref","$ref":"quarto-resource-document-funding-funding","description":"quarto-resource-document-funding-funding"},"to":{"_internalId":191390,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"writer":{"_internalId":191390,"type":"ref","$ref":"quarto-resource-document-hidden-to","description":"quarto-resource-document-hidden-to"},"input-file":{"_internalId":191391,"type":"ref","$ref":"quarto-resource-document-hidden-input-file","description":"quarto-resource-document-hidden-input-file"},"input-files":{"_internalId":191392,"type":"ref","$ref":"quarto-resource-document-hidden-input-files","description":"quarto-resource-document-hidden-input-files"},"defaults":{"_internalId":191393,"type":"ref","$ref":"quarto-resource-document-hidden-defaults","description":"quarto-resource-document-hidden-defaults"},"variables":{"_internalId":191394,"type":"ref","$ref":"quarto-resource-document-hidden-variables","description":"quarto-resource-document-hidden-variables"},"metadata":{"_internalId":191395,"type":"ref","$ref":"quarto-resource-document-hidden-metadata","description":"quarto-resource-document-hidden-metadata"},"request-headers":{"_internalId":191396,"type":"ref","$ref":"quarto-resource-document-hidden-request-headers","description":"quarto-resource-document-hidden-request-headers"},"trace":{"_internalId":191397,"type":"ref","$ref":"quarto-resource-document-hidden-trace","description":"quarto-resource-document-hidden-trace"},"fail-if-warnings":{"_internalId":191398,"type":"ref","$ref":"quarto-resource-document-hidden-fail-if-warnings","description":"quarto-resource-document-hidden-fail-if-warnings"},"dump-args":{"_internalId":191399,"type":"ref","$ref":"quarto-resource-document-hidden-dump-args","description":"quarto-resource-document-hidden-dump-args"},"ignore-args":{"_internalId":191400,"type":"ref","$ref":"quarto-resource-document-hidden-ignore-args","description":"quarto-resource-document-hidden-ignore-args"},"file-scope":{"_internalId":191401,"type":"ref","$ref":"quarto-resource-document-hidden-file-scope","description":"quarto-resource-document-hidden-file-scope"},"data-dir":{"_internalId":191402,"type":"ref","$ref":"quarto-resource-document-hidden-data-dir","description":"quarto-resource-document-hidden-data-dir"},"verbosity":{"_internalId":191403,"type":"ref","$ref":"quarto-resource-document-hidden-verbosity","description":"quarto-resource-document-hidden-verbosity"},"log-file":{"_internalId":191404,"type":"ref","$ref":"quarto-resource-document-hidden-log-file","description":"quarto-resource-document-hidden-log-file"},"track-changes":{"_internalId":191405,"type":"ref","$ref":"quarto-resource-document-hidden-track-changes","description":"quarto-resource-document-hidden-track-changes"},"keep-source":{"_internalId":191406,"type":"ref","$ref":"quarto-resource-document-hidden-keep-source","description":"quarto-resource-document-hidden-keep-source"},"keep-hidden":{"_internalId":191407,"type":"ref","$ref":"quarto-resource-document-hidden-keep-hidden","description":"quarto-resource-document-hidden-keep-hidden"},"prefer-html":{"_internalId":191408,"type":"ref","$ref":"quarto-resource-document-hidden-prefer-html","description":"quarto-resource-document-hidden-prefer-html"},"output-divs":{"_internalId":191409,"type":"ref","$ref":"quarto-resource-document-hidden-output-divs","description":"quarto-resource-document-hidden-output-divs"},"merge-includes":{"_internalId":191410,"type":"ref","$ref":"quarto-resource-document-hidden-merge-includes","description":"quarto-resource-document-hidden-merge-includes"},"header-includes":{"_internalId":191411,"type":"ref","$ref":"quarto-resource-document-includes-header-includes","description":"quarto-resource-document-includes-header-includes"},"include-before":{"_internalId":191412,"type":"ref","$ref":"quarto-resource-document-includes-include-before","description":"quarto-resource-document-includes-include-before"},"include-after":{"_internalId":191413,"type":"ref","$ref":"quarto-resource-document-includes-include-after","description":"quarto-resource-document-includes-include-after"},"include-before-body":{"_internalId":191414,"type":"ref","$ref":"quarto-resource-document-includes-include-before-body","description":"quarto-resource-document-includes-include-before-body"},"include-after-body":{"_internalId":191415,"type":"ref","$ref":"quarto-resource-document-includes-include-after-body","description":"quarto-resource-document-includes-include-after-body"},"include-in-header":{"_internalId":191416,"type":"ref","$ref":"quarto-resource-document-includes-include-in-header","description":"quarto-resource-document-includes-include-in-header"},"resources":{"_internalId":191417,"type":"ref","$ref":"quarto-resource-document-includes-resources","description":"quarto-resource-document-includes-resources"},"headertext":{"_internalId":191418,"type":"ref","$ref":"quarto-resource-document-includes-headertext","description":"quarto-resource-document-includes-headertext"},"footertext":{"_internalId":191419,"type":"ref","$ref":"quarto-resource-document-includes-footertext","description":"quarto-resource-document-includes-footertext"},"includesource":{"_internalId":191420,"type":"ref","$ref":"quarto-resource-document-includes-includesource","description":"quarto-resource-document-includes-includesource"},"footer":{"_internalId":191590,"type":"ref","$ref":"quarto-resource-document-reveal-content-footer","description":"quarto-resource-document-reveal-content-footer"},"header":{"_internalId":191422,"type":"ref","$ref":"quarto-resource-document-includes-header","description":"quarto-resource-document-includes-header"},"metadata-file":{"_internalId":191423,"type":"ref","$ref":"quarto-resource-document-includes-metadata-file","description":"quarto-resource-document-includes-metadata-file"},"metadata-files":{"_internalId":191424,"type":"ref","$ref":"quarto-resource-document-includes-metadata-files","description":"quarto-resource-document-includes-metadata-files"},"lang":{"_internalId":191425,"type":"ref","$ref":"quarto-resource-document-language-lang","description":"quarto-resource-document-language-lang"},"language":{"_internalId":191426,"type":"ref","$ref":"quarto-resource-document-language-language","description":"quarto-resource-document-language-language"},"dir":{"_internalId":191427,"type":"ref","$ref":"quarto-resource-document-language-dir","description":"quarto-resource-document-language-dir"},"latex-auto-mk":{"_internalId":191428,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-mk","description":"quarto-resource-document-latexmk-latex-auto-mk"},"latex-auto-install":{"_internalId":191429,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-auto-install","description":"quarto-resource-document-latexmk-latex-auto-install"},"latex-min-runs":{"_internalId":191430,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-min-runs","description":"quarto-resource-document-latexmk-latex-min-runs"},"latex-max-runs":{"_internalId":191431,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-max-runs","description":"quarto-resource-document-latexmk-latex-max-runs"},"latex-clean":{"_internalId":191432,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-clean","description":"quarto-resource-document-latexmk-latex-clean"},"latex-makeindex":{"_internalId":191433,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex","description":"quarto-resource-document-latexmk-latex-makeindex"},"latex-makeindex-opts":{"_internalId":191434,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-makeindex-opts","description":"quarto-resource-document-latexmk-latex-makeindex-opts"},"latex-tlmgr-opts":{"_internalId":191435,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tlmgr-opts","description":"quarto-resource-document-latexmk-latex-tlmgr-opts"},"latex-output-dir":{"_internalId":191436,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-output-dir","description":"quarto-resource-document-latexmk-latex-output-dir"},"latex-tinytex":{"_internalId":191437,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-tinytex","description":"quarto-resource-document-latexmk-latex-tinytex"},"latex-input-paths":{"_internalId":191438,"type":"ref","$ref":"quarto-resource-document-latexmk-latex-input-paths","description":"quarto-resource-document-latexmk-latex-input-paths"},"documentclass":{"_internalId":191439,"type":"ref","$ref":"quarto-resource-document-layout-documentclass","description":"quarto-resource-document-layout-documentclass"},"classoption":{"_internalId":191440,"type":"ref","$ref":"quarto-resource-document-layout-classoption","description":"quarto-resource-document-layout-classoption"},"pagestyle":{"_internalId":191441,"type":"ref","$ref":"quarto-resource-document-layout-pagestyle","description":"quarto-resource-document-layout-pagestyle"},"papersize":{"_internalId":191442,"type":"ref","$ref":"quarto-resource-document-layout-papersize","description":"quarto-resource-document-layout-papersize"},"brand-mode":{"_internalId":191443,"type":"ref","$ref":"quarto-resource-document-layout-brand-mode","description":"quarto-resource-document-layout-brand-mode"},"layout":{"_internalId":191444,"type":"ref","$ref":"quarto-resource-document-layout-layout","description":"quarto-resource-document-layout-layout"},"page-layout":{"_internalId":191445,"type":"ref","$ref":"quarto-resource-document-layout-page-layout","description":"quarto-resource-document-layout-page-layout"},"page-width":{"_internalId":191446,"type":"ref","$ref":"quarto-resource-document-layout-page-width","description":"quarto-resource-document-layout-page-width"},"grid":{"_internalId":191447,"type":"ref","$ref":"quarto-resource-document-layout-grid","description":"quarto-resource-document-layout-grid"},"appendix-style":{"_internalId":191448,"type":"ref","$ref":"quarto-resource-document-layout-appendix-style","description":"quarto-resource-document-layout-appendix-style"},"appendix-cite-as":{"_internalId":191449,"type":"ref","$ref":"quarto-resource-document-layout-appendix-cite-as","description":"quarto-resource-document-layout-appendix-cite-as"},"title-block-style":{"_internalId":191450,"type":"ref","$ref":"quarto-resource-document-layout-title-block-style","description":"quarto-resource-document-layout-title-block-style"},"title-block-banner":{"_internalId":191451,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner","description":"quarto-resource-document-layout-title-block-banner"},"title-block-banner-color":{"_internalId":191452,"type":"ref","$ref":"quarto-resource-document-layout-title-block-banner-color","description":"quarto-resource-document-layout-title-block-banner-color"},"title-block-categories":{"_internalId":191453,"type":"ref","$ref":"quarto-resource-document-layout-title-block-categories","description":"quarto-resource-document-layout-title-block-categories"},"max-width":{"_internalId":191454,"type":"ref","$ref":"quarto-resource-document-layout-max-width","description":"quarto-resource-document-layout-max-width"},"margin-left":{"_internalId":191455,"type":"ref","$ref":"quarto-resource-document-layout-margin-left","description":"quarto-resource-document-layout-margin-left"},"margin-right":{"_internalId":191456,"type":"ref","$ref":"quarto-resource-document-layout-margin-right","description":"quarto-resource-document-layout-margin-right"},"margin-top":{"_internalId":191457,"type":"ref","$ref":"quarto-resource-document-layout-margin-top","description":"quarto-resource-document-layout-margin-top"},"margin-bottom":{"_internalId":191458,"type":"ref","$ref":"quarto-resource-document-layout-margin-bottom","description":"quarto-resource-document-layout-margin-bottom"},"geometry":{"_internalId":191459,"type":"ref","$ref":"quarto-resource-document-layout-geometry","description":"quarto-resource-document-layout-geometry"},"hyperrefoptions":{"_internalId":191460,"type":"ref","$ref":"quarto-resource-document-layout-hyperrefoptions","description":"quarto-resource-document-layout-hyperrefoptions"},"indent":{"_internalId":191461,"type":"ref","$ref":"quarto-resource-document-layout-indent","description":"quarto-resource-document-layout-indent"},"block-headings":{"_internalId":191462,"type":"ref","$ref":"quarto-resource-document-layout-block-headings","description":"quarto-resource-document-layout-block-headings"},"revealjs-url":{"_internalId":191463,"type":"ref","$ref":"quarto-resource-document-library-revealjs-url","description":"quarto-resource-document-library-revealjs-url"},"s5-url":{"_internalId":191464,"type":"ref","$ref":"quarto-resource-document-library-s5-url","description":"quarto-resource-document-library-s5-url"},"slidy-url":{"_internalId":191465,"type":"ref","$ref":"quarto-resource-document-library-slidy-url","description":"quarto-resource-document-library-slidy-url"},"slideous-url":{"_internalId":191466,"type":"ref","$ref":"quarto-resource-document-library-slideous-url","description":"quarto-resource-document-library-slideous-url"},"lightbox":{"_internalId":191467,"type":"ref","$ref":"quarto-resource-document-lightbox-lightbox","description":"quarto-resource-document-lightbox-lightbox"},"link-external-icon":{"_internalId":191468,"type":"ref","$ref":"quarto-resource-document-links-link-external-icon","description":"quarto-resource-document-links-link-external-icon"},"link-external-newwindow":{"_internalId":191469,"type":"ref","$ref":"quarto-resource-document-links-link-external-newwindow","description":"quarto-resource-document-links-link-external-newwindow"},"link-external-filter":{"_internalId":191470,"type":"ref","$ref":"quarto-resource-document-links-link-external-filter","description":"quarto-resource-document-links-link-external-filter"},"format-links":{"_internalId":191471,"type":"ref","$ref":"quarto-resource-document-links-format-links","description":"quarto-resource-document-links-format-links"},"notebook-links":{"_internalId":191472,"type":"ref","$ref":"quarto-resource-document-links-notebook-links","description":"quarto-resource-document-links-notebook-links"},"other-links":{"_internalId":191473,"type":"ref","$ref":"quarto-resource-document-links-other-links","description":"quarto-resource-document-links-other-links"},"code-links":{"_internalId":191474,"type":"ref","$ref":"quarto-resource-document-links-code-links","description":"quarto-resource-document-links-code-links"},"notebook-subarticles":{"_internalId":191475,"type":"ref","$ref":"quarto-resource-document-links-notebook-subarticles","description":"quarto-resource-document-links-notebook-subarticles"},"notebook-view":{"_internalId":191476,"type":"ref","$ref":"quarto-resource-document-links-notebook-view","description":"quarto-resource-document-links-notebook-view"},"notebook-view-style":{"_internalId":191477,"type":"ref","$ref":"quarto-resource-document-links-notebook-view-style","description":"quarto-resource-document-links-notebook-view-style"},"notebook-preview-options":{"_internalId":191478,"type":"ref","$ref":"quarto-resource-document-links-notebook-preview-options","description":"quarto-resource-document-links-notebook-preview-options"},"canonical-url":{"_internalId":191479,"type":"ref","$ref":"quarto-resource-document-links-canonical-url","description":"quarto-resource-document-links-canonical-url"},"listing":{"_internalId":191480,"type":"ref","$ref":"quarto-resource-document-listing-listing","description":"quarto-resource-document-listing-listing"},"mermaid":{"_internalId":191481,"type":"ref","$ref":"quarto-resource-document-mermaid-mermaid","description":"quarto-resource-document-mermaid-mermaid"},"keywords":{"_internalId":191482,"type":"ref","$ref":"quarto-resource-document-metadata-keywords","description":"quarto-resource-document-metadata-keywords"},"description":{"_internalId":191484,"type":"ref","$ref":"quarto-resource-document-metadata-description","description":"quarto-resource-document-metadata-description"},"category":{"_internalId":191485,"type":"ref","$ref":"quarto-resource-document-metadata-category","description":"quarto-resource-document-metadata-category"},"license":{"_internalId":191487,"type":"ref","$ref":"quarto-resource-document-metadata-license","description":"quarto-resource-document-metadata-license"},"title-meta":{"_internalId":191488,"type":"ref","$ref":"quarto-resource-document-metadata-title-meta","description":"quarto-resource-document-metadata-title-meta"},"pagetitle":{"_internalId":191489,"type":"ref","$ref":"quarto-resource-document-metadata-pagetitle","description":"quarto-resource-document-metadata-pagetitle"},"title-prefix":{"_internalId":191490,"type":"ref","$ref":"quarto-resource-document-metadata-title-prefix","description":"quarto-resource-document-metadata-title-prefix"},"description-meta":{"_internalId":191491,"type":"ref","$ref":"quarto-resource-document-metadata-description-meta","description":"quarto-resource-document-metadata-description-meta"},"author-meta":{"_internalId":191492,"type":"ref","$ref":"quarto-resource-document-metadata-author-meta","description":"quarto-resource-document-metadata-author-meta"},"date-meta":{"_internalId":191493,"type":"ref","$ref":"quarto-resource-document-metadata-date-meta","description":"quarto-resource-document-metadata-date-meta"},"number-sections":{"_internalId":191494,"type":"ref","$ref":"quarto-resource-document-numbering-number-sections","description":"quarto-resource-document-numbering-number-sections"},"number-depth":{"_internalId":191495,"type":"ref","$ref":"quarto-resource-document-numbering-number-depth","description":"quarto-resource-document-numbering-number-depth"},"secnumdepth":{"_internalId":191496,"type":"ref","$ref":"quarto-resource-document-numbering-secnumdepth","description":"quarto-resource-document-numbering-secnumdepth"},"number-offset":{"_internalId":191497,"type":"ref","$ref":"quarto-resource-document-numbering-number-offset","description":"quarto-resource-document-numbering-number-offset"},"section-numbering":{"_internalId":191498,"type":"ref","$ref":"quarto-resource-document-numbering-section-numbering","description":"quarto-resource-document-numbering-section-numbering"},"shift-heading-level-by":{"_internalId":191499,"type":"ref","$ref":"quarto-resource-document-numbering-shift-heading-level-by","description":"quarto-resource-document-numbering-shift-heading-level-by"},"pagenumbering":{"_internalId":191500,"type":"ref","$ref":"quarto-resource-document-numbering-pagenumbering","description":"quarto-resource-document-numbering-pagenumbering"},"top-level-division":{"_internalId":191501,"type":"ref","$ref":"quarto-resource-document-numbering-top-level-division","description":"quarto-resource-document-numbering-top-level-division"},"ojs-engine":{"_internalId":191502,"type":"ref","$ref":"quarto-resource-document-ojs-ojs-engine","description":"quarto-resource-document-ojs-ojs-engine"},"reference-doc":{"_internalId":191503,"type":"ref","$ref":"quarto-resource-document-options-reference-doc","description":"quarto-resource-document-options-reference-doc"},"brand":{"_internalId":191504,"type":"ref","$ref":"quarto-resource-document-options-brand","description":"quarto-resource-document-options-brand"},"theme":{"_internalId":191505,"type":"ref","$ref":"quarto-resource-document-options-theme","description":"quarto-resource-document-options-theme"},"body-classes":{"_internalId":191506,"type":"ref","$ref":"quarto-resource-document-options-body-classes","description":"quarto-resource-document-options-body-classes"},"minimal":{"_internalId":191507,"type":"ref","$ref":"quarto-resource-document-options-minimal","description":"quarto-resource-document-options-minimal"},"document-css":{"_internalId":191508,"type":"ref","$ref":"quarto-resource-document-options-document-css","description":"quarto-resource-document-options-document-css"},"css":{"_internalId":191509,"type":"ref","$ref":"quarto-resource-document-options-css","description":"quarto-resource-document-options-css"},"anchor-sections":{"_internalId":191510,"type":"ref","$ref":"quarto-resource-document-options-anchor-sections","description":"quarto-resource-document-options-anchor-sections"},"tabsets":{"_internalId":191511,"type":"ref","$ref":"quarto-resource-document-options-tabsets","description":"quarto-resource-document-options-tabsets"},"smooth-scroll":{"_internalId":191512,"type":"ref","$ref":"quarto-resource-document-options-smooth-scroll","description":"quarto-resource-document-options-smooth-scroll"},"respect-user-color-scheme":{"_internalId":191513,"type":"ref","$ref":"quarto-resource-document-options-respect-user-color-scheme","description":"quarto-resource-document-options-respect-user-color-scheme"},"html-math-method":{"_internalId":191514,"type":"ref","$ref":"quarto-resource-document-options-html-math-method","description":"quarto-resource-document-options-html-math-method"},"section-divs":{"_internalId":191515,"type":"ref","$ref":"quarto-resource-document-options-section-divs","description":"quarto-resource-document-options-section-divs"},"identifier-prefix":{"_internalId":191516,"type":"ref","$ref":"quarto-resource-document-options-identifier-prefix","description":"quarto-resource-document-options-identifier-prefix"},"email-obfuscation":{"_internalId":191517,"type":"ref","$ref":"quarto-resource-document-options-email-obfuscation","description":"quarto-resource-document-options-email-obfuscation"},"html-q-tags":{"_internalId":191518,"type":"ref","$ref":"quarto-resource-document-options-html-q-tags","description":"quarto-resource-document-options-html-q-tags"},"pdf-engine":{"_internalId":191519,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine","description":"quarto-resource-document-options-pdf-engine"},"pdf-engine-opt":{"_internalId":191520,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opt","description":"quarto-resource-document-options-pdf-engine-opt"},"pdf-engine-opts":{"_internalId":191521,"type":"ref","$ref":"quarto-resource-document-options-pdf-engine-opts","description":"quarto-resource-document-options-pdf-engine-opts"},"beamerarticle":{"_internalId":191522,"type":"ref","$ref":"quarto-resource-document-options-beamerarticle","description":"quarto-resource-document-options-beamerarticle"},"beameroption":{"_internalId":191523,"type":"ref","$ref":"quarto-resource-document-options-beameroption","description":"quarto-resource-document-options-beameroption"},"aspectratio":{"_internalId":191524,"type":"ref","$ref":"quarto-resource-document-options-aspectratio","description":"quarto-resource-document-options-aspectratio"},"titlegraphic":{"_internalId":191526,"type":"ref","$ref":"quarto-resource-document-options-titlegraphic","description":"quarto-resource-document-options-titlegraphic"},"navigation":{"_internalId":191527,"type":"ref","$ref":"quarto-resource-document-options-navigation","description":"quarto-resource-document-options-navigation"},"section-titles":{"_internalId":191528,"type":"ref","$ref":"quarto-resource-document-options-section-titles","description":"quarto-resource-document-options-section-titles"},"colortheme":{"_internalId":191529,"type":"ref","$ref":"quarto-resource-document-options-colortheme","description":"quarto-resource-document-options-colortheme"},"colorthemeoptions":{"_internalId":191530,"type":"ref","$ref":"quarto-resource-document-options-colorthemeoptions","description":"quarto-resource-document-options-colorthemeoptions"},"fonttheme":{"_internalId":191531,"type":"ref","$ref":"quarto-resource-document-options-fonttheme","description":"quarto-resource-document-options-fonttheme"},"fontthemeoptions":{"_internalId":191532,"type":"ref","$ref":"quarto-resource-document-options-fontthemeoptions","description":"quarto-resource-document-options-fontthemeoptions"},"innertheme":{"_internalId":191533,"type":"ref","$ref":"quarto-resource-document-options-innertheme","description":"quarto-resource-document-options-innertheme"},"innerthemeoptions":{"_internalId":191534,"type":"ref","$ref":"quarto-resource-document-options-innerthemeoptions","description":"quarto-resource-document-options-innerthemeoptions"},"outertheme":{"_internalId":191535,"type":"ref","$ref":"quarto-resource-document-options-outertheme","description":"quarto-resource-document-options-outertheme"},"outerthemeoptions":{"_internalId":191536,"type":"ref","$ref":"quarto-resource-document-options-outerthemeoptions","description":"quarto-resource-document-options-outerthemeoptions"},"themeoptions":{"_internalId":191537,"type":"ref","$ref":"quarto-resource-document-options-themeoptions","description":"quarto-resource-document-options-themeoptions"},"section":{"_internalId":191538,"type":"ref","$ref":"quarto-resource-document-options-section","description":"quarto-resource-document-options-section"},"variant":{"_internalId":191539,"type":"ref","$ref":"quarto-resource-document-options-variant","description":"quarto-resource-document-options-variant"},"markdown-headings":{"_internalId":191540,"type":"ref","$ref":"quarto-resource-document-options-markdown-headings","description":"quarto-resource-document-options-markdown-headings"},"ipynb-output":{"_internalId":191541,"type":"ref","$ref":"quarto-resource-document-options-ipynb-output","description":"quarto-resource-document-options-ipynb-output"},"quarto-required":{"_internalId":191542,"type":"ref","$ref":"quarto-resource-document-options-quarto-required","description":"quarto-resource-document-options-quarto-required"},"preview-mode":{"_internalId":191543,"type":"ref","$ref":"quarto-resource-document-options-preview-mode","description":"quarto-resource-document-options-preview-mode"},"pdfa":{"_internalId":191544,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfa","description":"quarto-resource-document-pdfa-pdfa"},"pdfaiccprofile":{"_internalId":191545,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaiccprofile","description":"quarto-resource-document-pdfa-pdfaiccprofile"},"pdfaintent":{"_internalId":191546,"type":"ref","$ref":"quarto-resource-document-pdfa-pdfaintent","description":"quarto-resource-document-pdfa-pdfaintent"},"bibliography":{"_internalId":191547,"type":"ref","$ref":"quarto-resource-document-references-bibliography","description":"quarto-resource-document-references-bibliography"},"csl":{"_internalId":191548,"type":"ref","$ref":"quarto-resource-document-references-csl","description":"quarto-resource-document-references-csl"},"citations-hover":{"_internalId":191549,"type":"ref","$ref":"quarto-resource-document-references-citations-hover","description":"quarto-resource-document-references-citations-hover"},"citation-location":{"_internalId":191550,"type":"ref","$ref":"quarto-resource-document-references-citation-location","description":"quarto-resource-document-references-citation-location"},"cite-method":{"_internalId":191551,"type":"ref","$ref":"quarto-resource-document-references-cite-method","description":"quarto-resource-document-references-cite-method"},"citeproc":{"_internalId":191552,"type":"ref","$ref":"quarto-resource-document-references-citeproc","description":"quarto-resource-document-references-citeproc"},"biblatexoptions":{"_internalId":191553,"type":"ref","$ref":"quarto-resource-document-references-biblatexoptions","description":"quarto-resource-document-references-biblatexoptions"},"natbiboptions":{"_internalId":191554,"type":"ref","$ref":"quarto-resource-document-references-natbiboptions","description":"quarto-resource-document-references-natbiboptions"},"biblio-style":{"_internalId":191555,"type":"ref","$ref":"quarto-resource-document-references-biblio-style","description":"quarto-resource-document-references-biblio-style"},"bibliographystyle":{"_internalId":191556,"type":"ref","$ref":"quarto-resource-document-references-bibliographystyle","description":"quarto-resource-document-references-bibliographystyle"},"biblio-title":{"_internalId":191557,"type":"ref","$ref":"quarto-resource-document-references-biblio-title","description":"quarto-resource-document-references-biblio-title"},"biblio-config":{"_internalId":191558,"type":"ref","$ref":"quarto-resource-document-references-biblio-config","description":"quarto-resource-document-references-biblio-config"},"citation-abbreviations":{"_internalId":191559,"type":"ref","$ref":"quarto-resource-document-references-citation-abbreviations","description":"quarto-resource-document-references-citation-abbreviations"},"link-citations":{"_internalId":191560,"type":"ref","$ref":"quarto-resource-document-references-link-citations","description":"quarto-resource-document-references-link-citations"},"link-bibliography":{"_internalId":191561,"type":"ref","$ref":"quarto-resource-document-references-link-bibliography","description":"quarto-resource-document-references-link-bibliography"},"notes-after-punctuation":{"_internalId":191562,"type":"ref","$ref":"quarto-resource-document-references-notes-after-punctuation","description":"quarto-resource-document-references-notes-after-punctuation"},"from":{"_internalId":191563,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"reader":{"_internalId":191563,"type":"ref","$ref":"quarto-resource-document-render-from","description":"quarto-resource-document-render-from"},"output-file":{"_internalId":191564,"type":"ref","$ref":"quarto-resource-document-render-output-file","description":"quarto-resource-document-render-output-file"},"output-ext":{"_internalId":191565,"type":"ref","$ref":"quarto-resource-document-render-output-ext","description":"quarto-resource-document-render-output-ext"},"template":{"_internalId":191566,"type":"ref","$ref":"quarto-resource-document-render-template","description":"quarto-resource-document-render-template"},"template-partials":{"_internalId":191567,"type":"ref","$ref":"quarto-resource-document-render-template-partials","description":"quarto-resource-document-render-template-partials"},"embed-resources":{"_internalId":191568,"type":"ref","$ref":"quarto-resource-document-render-embed-resources","description":"quarto-resource-document-render-embed-resources"},"self-contained":{"_internalId":191569,"type":"ref","$ref":"quarto-resource-document-render-self-contained","description":"quarto-resource-document-render-self-contained"},"self-contained-math":{"_internalId":191570,"type":"ref","$ref":"quarto-resource-document-render-self-contained-math","description":"quarto-resource-document-render-self-contained-math"},"filters":{"_internalId":191571,"type":"ref","$ref":"quarto-resource-document-render-filters","description":"quarto-resource-document-render-filters"},"shortcodes":{"_internalId":191572,"type":"ref","$ref":"quarto-resource-document-render-shortcodes","description":"quarto-resource-document-render-shortcodes"},"keep-md":{"_internalId":191573,"type":"ref","$ref":"quarto-resource-document-render-keep-md","description":"quarto-resource-document-render-keep-md"},"keep-ipynb":{"_internalId":191574,"type":"ref","$ref":"quarto-resource-document-render-keep-ipynb","description":"quarto-resource-document-render-keep-ipynb"},"ipynb-filters":{"_internalId":191575,"type":"ref","$ref":"quarto-resource-document-render-ipynb-filters","description":"quarto-resource-document-render-ipynb-filters"},"ipynb-shell-interactivity":{"_internalId":191576,"type":"ref","$ref":"quarto-resource-document-render-ipynb-shell-interactivity","description":"quarto-resource-document-render-ipynb-shell-interactivity"},"plotly-connected":{"_internalId":191577,"type":"ref","$ref":"quarto-resource-document-render-plotly-connected","description":"quarto-resource-document-render-plotly-connected"},"keep-typ":{"_internalId":191578,"type":"ref","$ref":"quarto-resource-document-render-keep-typ","description":"quarto-resource-document-render-keep-typ"},"keep-tex":{"_internalId":191579,"type":"ref","$ref":"quarto-resource-document-render-keep-tex","description":"quarto-resource-document-render-keep-tex"},"extract-media":{"_internalId":191580,"type":"ref","$ref":"quarto-resource-document-render-extract-media","description":"quarto-resource-document-render-extract-media"},"resource-path":{"_internalId":191581,"type":"ref","$ref":"quarto-resource-document-render-resource-path","description":"quarto-resource-document-render-resource-path"},"default-image-extension":{"_internalId":191582,"type":"ref","$ref":"quarto-resource-document-render-default-image-extension","description":"quarto-resource-document-render-default-image-extension"},"abbreviations":{"_internalId":191583,"type":"ref","$ref":"quarto-resource-document-render-abbreviations","description":"quarto-resource-document-render-abbreviations"},"dpi":{"_internalId":191584,"type":"ref","$ref":"quarto-resource-document-render-dpi","description":"quarto-resource-document-render-dpi"},"html-table-processing":{"_internalId":191585,"type":"ref","$ref":"quarto-resource-document-render-html-table-processing","description":"quarto-resource-document-render-html-table-processing"},"html-pre-tag-processing":{"_internalId":191586,"type":"ref","$ref":"quarto-resource-document-render-html-pre-tag-processing","description":"quarto-resource-document-render-html-pre-tag-processing"},"css-property-processing":{"_internalId":191587,"type":"ref","$ref":"quarto-resource-document-render-css-property-processing","description":"quarto-resource-document-render-css-property-processing"},"use-rsvg-convert":{"_internalId":191588,"type":"ref","$ref":"quarto-resource-document-render-use-rsvg-convert","description":"quarto-resource-document-render-use-rsvg-convert"},"scrollable":{"_internalId":191591,"type":"ref","$ref":"quarto-resource-document-reveal-content-scrollable","description":"quarto-resource-document-reveal-content-scrollable"},"smaller":{"_internalId":191592,"type":"ref","$ref":"quarto-resource-document-reveal-content-smaller","description":"quarto-resource-document-reveal-content-smaller"},"output-location":{"_internalId":191593,"type":"ref","$ref":"quarto-resource-document-reveal-content-output-location","description":"quarto-resource-document-reveal-content-output-location"},"embedded":{"_internalId":191594,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-embedded","description":"quarto-resource-document-reveal-hidden-embedded"},"display":{"_internalId":191595,"type":"ref","$ref":"quarto-resource-document-reveal-hidden-display","description":"quarto-resource-document-reveal-hidden-display"},"auto-stretch":{"_internalId":191596,"type":"ref","$ref":"quarto-resource-document-reveal-layout-auto-stretch","description":"quarto-resource-document-reveal-layout-auto-stretch"},"width":{"_internalId":191597,"type":"ref","$ref":"quarto-resource-document-reveal-layout-width","description":"quarto-resource-document-reveal-layout-width"},"height":{"_internalId":191598,"type":"ref","$ref":"quarto-resource-document-reveal-layout-height","description":"quarto-resource-document-reveal-layout-height"},"margin":{"_internalId":191599,"type":"ref","$ref":"quarto-resource-document-reveal-layout-margin","description":"quarto-resource-document-reveal-layout-margin"},"min-scale":{"_internalId":191600,"type":"ref","$ref":"quarto-resource-document-reveal-layout-min-scale","description":"quarto-resource-document-reveal-layout-min-scale"},"max-scale":{"_internalId":191601,"type":"ref","$ref":"quarto-resource-document-reveal-layout-max-scale","description":"quarto-resource-document-reveal-layout-max-scale"},"center":{"_internalId":191602,"type":"ref","$ref":"quarto-resource-document-reveal-layout-center","description":"quarto-resource-document-reveal-layout-center"},"disable-layout":{"_internalId":191603,"type":"ref","$ref":"quarto-resource-document-reveal-layout-disable-layout","description":"quarto-resource-document-reveal-layout-disable-layout"},"code-block-height":{"_internalId":191604,"type":"ref","$ref":"quarto-resource-document-reveal-layout-code-block-height","description":"quarto-resource-document-reveal-layout-code-block-height"},"preview-links":{"_internalId":191605,"type":"ref","$ref":"quarto-resource-document-reveal-media-preview-links","description":"quarto-resource-document-reveal-media-preview-links"},"auto-play-media":{"_internalId":191606,"type":"ref","$ref":"quarto-resource-document-reveal-media-auto-play-media","description":"quarto-resource-document-reveal-media-auto-play-media"},"preload-iframes":{"_internalId":191607,"type":"ref","$ref":"quarto-resource-document-reveal-media-preload-iframes","description":"quarto-resource-document-reveal-media-preload-iframes"},"view-distance":{"_internalId":191608,"type":"ref","$ref":"quarto-resource-document-reveal-media-view-distance","description":"quarto-resource-document-reveal-media-view-distance"},"mobile-view-distance":{"_internalId":191609,"type":"ref","$ref":"quarto-resource-document-reveal-media-mobile-view-distance","description":"quarto-resource-document-reveal-media-mobile-view-distance"},"parallax-background-image":{"_internalId":191610,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-image","description":"quarto-resource-document-reveal-media-parallax-background-image"},"parallax-background-size":{"_internalId":191611,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-size","description":"quarto-resource-document-reveal-media-parallax-background-size"},"parallax-background-horizontal":{"_internalId":191612,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-horizontal","description":"quarto-resource-document-reveal-media-parallax-background-horizontal"},"parallax-background-vertical":{"_internalId":191613,"type":"ref","$ref":"quarto-resource-document-reveal-media-parallax-background-vertical","description":"quarto-resource-document-reveal-media-parallax-background-vertical"},"progress":{"_internalId":191614,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-progress","description":"quarto-resource-document-reveal-navigation-progress"},"history":{"_internalId":191615,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-history","description":"quarto-resource-document-reveal-navigation-history"},"navigation-mode":{"_internalId":191616,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-navigation-mode","description":"quarto-resource-document-reveal-navigation-navigation-mode"},"touch":{"_internalId":191617,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-touch","description":"quarto-resource-document-reveal-navigation-touch"},"keyboard":{"_internalId":191618,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-keyboard","description":"quarto-resource-document-reveal-navigation-keyboard"},"mouse-wheel":{"_internalId":191619,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-mouse-wheel","description":"quarto-resource-document-reveal-navigation-mouse-wheel"},"hide-inactive-cursor":{"_internalId":191620,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-inactive-cursor","description":"quarto-resource-document-reveal-navigation-hide-inactive-cursor"},"hide-cursor-time":{"_internalId":191621,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hide-cursor-time","description":"quarto-resource-document-reveal-navigation-hide-cursor-time"},"loop":{"_internalId":191622,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-loop","description":"quarto-resource-document-reveal-navigation-loop"},"shuffle":{"_internalId":191623,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-shuffle","description":"quarto-resource-document-reveal-navigation-shuffle"},"controls":{"_internalId":191624,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls","description":"quarto-resource-document-reveal-navigation-controls"},"controls-layout":{"_internalId":191625,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-layout","description":"quarto-resource-document-reveal-navigation-controls-layout"},"controls-tutorial":{"_internalId":191626,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-tutorial","description":"quarto-resource-document-reveal-navigation-controls-tutorial"},"controls-back-arrows":{"_internalId":191627,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-controls-back-arrows","description":"quarto-resource-document-reveal-navigation-controls-back-arrows"},"auto-slide":{"_internalId":191628,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide","description":"quarto-resource-document-reveal-navigation-auto-slide"},"auto-slide-stoppable":{"_internalId":191629,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-stoppable","description":"quarto-resource-document-reveal-navigation-auto-slide-stoppable"},"auto-slide-method":{"_internalId":191630,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-auto-slide-method","description":"quarto-resource-document-reveal-navigation-auto-slide-method"},"default-timing":{"_internalId":191631,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-default-timing","description":"quarto-resource-document-reveal-navigation-default-timing"},"pause":{"_internalId":191632,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-pause","description":"quarto-resource-document-reveal-navigation-pause"},"help":{"_internalId":191633,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-help","description":"quarto-resource-document-reveal-navigation-help"},"hash":{"_internalId":191634,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash","description":"quarto-resource-document-reveal-navigation-hash"},"hash-type":{"_internalId":191635,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-type","description":"quarto-resource-document-reveal-navigation-hash-type"},"hash-one-based-index":{"_internalId":191636,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-hash-one-based-index","description":"quarto-resource-document-reveal-navigation-hash-one-based-index"},"respond-to-hash-changes":{"_internalId":191637,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-respond-to-hash-changes","description":"quarto-resource-document-reveal-navigation-respond-to-hash-changes"},"fragment-in-url":{"_internalId":191638,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-fragment-in-url","description":"quarto-resource-document-reveal-navigation-fragment-in-url"},"slide-tone":{"_internalId":191639,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-slide-tone","description":"quarto-resource-document-reveal-navigation-slide-tone"},"jump-to-slide":{"_internalId":191640,"type":"ref","$ref":"quarto-resource-document-reveal-navigation-jump-to-slide","description":"quarto-resource-document-reveal-navigation-jump-to-slide"},"pdf-max-pages-per-slide":{"_internalId":191641,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide","description":"quarto-resource-document-reveal-print-pdf-max-pages-per-slide"},"pdf-separate-fragments":{"_internalId":191642,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-separate-fragments","description":"quarto-resource-document-reveal-print-pdf-separate-fragments"},"pdf-page-height-offset":{"_internalId":191643,"type":"ref","$ref":"quarto-resource-document-reveal-print-pdf-page-height-offset","description":"quarto-resource-document-reveal-print-pdf-page-height-offset"},"overview":{"_internalId":191644,"type":"ref","$ref":"quarto-resource-document-reveal-tools-overview","description":"quarto-resource-document-reveal-tools-overview"},"menu":{"_internalId":191645,"type":"ref","$ref":"quarto-resource-document-reveal-tools-menu","description":"quarto-resource-document-reveal-tools-menu"},"chalkboard":{"_internalId":191646,"type":"ref","$ref":"quarto-resource-document-reveal-tools-chalkboard","description":"quarto-resource-document-reveal-tools-chalkboard"},"multiplex":{"_internalId":191647,"type":"ref","$ref":"quarto-resource-document-reveal-tools-multiplex","description":"quarto-resource-document-reveal-tools-multiplex"},"scroll-view":{"_internalId":191648,"type":"ref","$ref":"quarto-resource-document-reveal-tools-scroll-view","description":"quarto-resource-document-reveal-tools-scroll-view"},"transition":{"_internalId":191649,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition","description":"quarto-resource-document-reveal-transitions-transition"},"transition-speed":{"_internalId":191650,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-transition-speed","description":"quarto-resource-document-reveal-transitions-transition-speed"},"background-transition":{"_internalId":191651,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-background-transition","description":"quarto-resource-document-reveal-transitions-background-transition"},"fragments":{"_internalId":191652,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-fragments","description":"quarto-resource-document-reveal-transitions-fragments"},"auto-animate":{"_internalId":191653,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate","description":"quarto-resource-document-reveal-transitions-auto-animate"},"auto-animate-easing":{"_internalId":191654,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-easing","description":"quarto-resource-document-reveal-transitions-auto-animate-easing"},"auto-animate-duration":{"_internalId":191655,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-duration","description":"quarto-resource-document-reveal-transitions-auto-animate-duration"},"auto-animate-unmatched":{"_internalId":191656,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-unmatched","description":"quarto-resource-document-reveal-transitions-auto-animate-unmatched"},"auto-animate-styles":{"_internalId":191657,"type":"ref","$ref":"quarto-resource-document-reveal-transitions-auto-animate-styles","description":"quarto-resource-document-reveal-transitions-auto-animate-styles"},"incremental":{"_internalId":191658,"type":"ref","$ref":"quarto-resource-document-slides-incremental","description":"quarto-resource-document-slides-incremental"},"slide-level":{"_internalId":191659,"type":"ref","$ref":"quarto-resource-document-slides-slide-level","description":"quarto-resource-document-slides-slide-level"},"slide-number":{"_internalId":191660,"type":"ref","$ref":"quarto-resource-document-slides-slide-number","description":"quarto-resource-document-slides-slide-number"},"show-slide-number":{"_internalId":191661,"type":"ref","$ref":"quarto-resource-document-slides-show-slide-number","description":"quarto-resource-document-slides-show-slide-number"},"title-slide-attributes":{"_internalId":191662,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-attributes","description":"quarto-resource-document-slides-title-slide-attributes"},"title-slide-style":{"_internalId":191663,"type":"ref","$ref":"quarto-resource-document-slides-title-slide-style","description":"quarto-resource-document-slides-title-slide-style"},"center-title-slide":{"_internalId":191664,"type":"ref","$ref":"quarto-resource-document-slides-center-title-slide","description":"quarto-resource-document-slides-center-title-slide"},"show-notes":{"_internalId":191665,"type":"ref","$ref":"quarto-resource-document-slides-show-notes","description":"quarto-resource-document-slides-show-notes"},"rtl":{"_internalId":191666,"type":"ref","$ref":"quarto-resource-document-slides-rtl","description":"quarto-resource-document-slides-rtl"},"df-print":{"_internalId":191667,"type":"ref","$ref":"quarto-resource-document-tables-df-print","description":"quarto-resource-document-tables-df-print"},"wrap":{"_internalId":191668,"type":"ref","$ref":"quarto-resource-document-text-wrap","description":"quarto-resource-document-text-wrap"},"columns":{"_internalId":191669,"type":"ref","$ref":"quarto-resource-document-text-columns","description":"quarto-resource-document-text-columns"},"tab-stop":{"_internalId":191670,"type":"ref","$ref":"quarto-resource-document-text-tab-stop","description":"quarto-resource-document-text-tab-stop"},"preserve-tabs":{"_internalId":191671,"type":"ref","$ref":"quarto-resource-document-text-preserve-tabs","description":"quarto-resource-document-text-preserve-tabs"},"eol":{"_internalId":191672,"type":"ref","$ref":"quarto-resource-document-text-eol","description":"quarto-resource-document-text-eol"},"strip-comments":{"_internalId":191673,"type":"ref","$ref":"quarto-resource-document-text-strip-comments","description":"quarto-resource-document-text-strip-comments"},"ascii":{"_internalId":191674,"type":"ref","$ref":"quarto-resource-document-text-ascii","description":"quarto-resource-document-text-ascii"},"toc":{"_internalId":191675,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"table-of-contents":{"_internalId":191675,"type":"ref","$ref":"quarto-resource-document-toc-toc","description":"quarto-resource-document-toc-toc"},"toc-indent":{"_internalId":191676,"type":"ref","$ref":"quarto-resource-document-toc-toc-indent","description":"quarto-resource-document-toc-toc-indent"},"toc-depth":{"_internalId":191677,"type":"ref","$ref":"quarto-resource-document-toc-toc-depth","description":"quarto-resource-document-toc-toc-depth"},"toc-location":{"_internalId":191678,"type":"ref","$ref":"quarto-resource-document-toc-toc-location","description":"quarto-resource-document-toc-toc-location"},"toc-title":{"_internalId":191679,"type":"ref","$ref":"quarto-resource-document-toc-toc-title","description":"quarto-resource-document-toc-toc-title"},"toc-expand":{"_internalId":191680,"type":"ref","$ref":"quarto-resource-document-toc-toc-expand","description":"quarto-resource-document-toc-toc-expand"},"lof":{"_internalId":191681,"type":"ref","$ref":"quarto-resource-document-toc-lof","description":"quarto-resource-document-toc-lof"},"lot":{"_internalId":191682,"type":"ref","$ref":"quarto-resource-document-toc-lot","description":"quarto-resource-document-toc-lot"},"search":{"_internalId":191683,"type":"ref","$ref":"quarto-resource-document-website-search","description":"quarto-resource-document-website-search"},"repo-actions":{"_internalId":191684,"type":"ref","$ref":"quarto-resource-document-website-repo-actions","description":"quarto-resource-document-website-repo-actions"},"aliases":{"_internalId":191685,"type":"ref","$ref":"quarto-resource-document-website-aliases","description":"quarto-resource-document-website-aliases"},"image":{"_internalId":191686,"type":"ref","$ref":"quarto-resource-document-website-image","description":"quarto-resource-document-website-image"},"image-height":{"_internalId":191687,"type":"ref","$ref":"quarto-resource-document-website-image-height","description":"quarto-resource-document-website-image-height"},"image-width":{"_internalId":191688,"type":"ref","$ref":"quarto-resource-document-website-image-width","description":"quarto-resource-document-website-image-width"},"image-alt":{"_internalId":191689,"type":"ref","$ref":"quarto-resource-document-website-image-alt","description":"quarto-resource-document-website-image-alt"},"image-lazy-loading":{"_internalId":191690,"type":"ref","$ref":"quarto-resource-document-website-image-lazy-loading","description":"quarto-resource-document-website-image-lazy-loading"},"axe":{"_internalId":191691,"type":"ref","$ref":"quarto-resource-document-a11y-axe","description":"quarto-resource-document-a11y-axe"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,fig-align,fig-env,fig-pos,cap-location,fig-cap-location,tbl-cap-location,tbl-colwidths,output,warning,error,include,about,title,subtitle,date,date-format,date-modified,author,affiliation,copyright,article,journal,institute,abstract,abstract-title,notes,tags,doi,thanks,order,citation,code-copy,code-link,code-annotations,code-tools,code-block-border-left,code-block-bg,highlight-style,syntax-definition,syntax-definitions,listings,indented-code-classes,fontcolor,linkcolor,monobackgroundcolor,backgroundcolor,filecolor,citecolor,urlcolor,toccolor,colorlinks,contrastcolor,comments,crossref,crossrefs-hover,logo,orientation,scrolling,expandable,nav-buttons,editor,zotero,identifier,creator,contributor,subject,type,relation,coverage,rights,belongs-to-collection,group-position,page-progression-direction,ibooks,epub-metadata,epub-subdirectory,epub-fonts,epub-chapter-level,epub-cover-image,epub-title-page,engine,jupyter,julia,knitr,cache,freeze,server,daemon,daemon-restart,enabled,ipynb,debug,fig-width,fig-height,fig-format,fig-dpi,fig-asp,fig-responsive,mainfont,monofont,fontsize,fontenc,fontfamily,fontfamilyoptions,sansfont,mathfont,CJKmainfont,mainfontoptions,sansfontoptions,monofontoptions,mathfontoptions,font-paths,CJKoptions,microtypeoptions,pointsize,lineheight,linestretch,interlinespace,linkstyle,whitespace,footnotes-hover,links-as-notes,reference-location,indenting,adjusting,hyphenate,list-tables,split-level,funding,to,writer,input-file,input-files,defaults,variables,metadata,request-headers,trace,fail-if-warnings,dump-args,ignore-args,file-scope,data-dir,verbosity,log-file,track-changes,keep-source,keep-hidden,prefer-html,output-divs,merge-includes,header-includes,include-before,include-after,include-before-body,include-after-body,include-in-header,resources,headertext,footertext,includesource,footer,header,metadata-file,metadata-files,lang,language,dir,latex-auto-mk,latex-auto-install,latex-min-runs,latex-max-runs,latex-clean,latex-makeindex,latex-makeindex-opts,latex-tlmgr-opts,latex-output-dir,latex-tinytex,latex-input-paths,documentclass,classoption,pagestyle,papersize,brand-mode,layout,page-layout,page-width,grid,appendix-style,appendix-cite-as,title-block-style,title-block-banner,title-block-banner-color,title-block-categories,max-width,margin-left,margin-right,margin-top,margin-bottom,geometry,hyperrefoptions,indent,block-headings,revealjs-url,s5-url,slidy-url,slideous-url,lightbox,link-external-icon,link-external-newwindow,link-external-filter,format-links,notebook-links,other-links,code-links,notebook-subarticles,notebook-view,notebook-view-style,notebook-preview-options,canonical-url,listing,mermaid,keywords,description,category,license,title-meta,pagetitle,title-prefix,description-meta,author-meta,date-meta,number-sections,number-depth,secnumdepth,number-offset,section-numbering,shift-heading-level-by,pagenumbering,top-level-division,ojs-engine,reference-doc,brand,theme,body-classes,minimal,document-css,css,anchor-sections,tabsets,smooth-scroll,respect-user-color-scheme,html-math-method,section-divs,identifier-prefix,email-obfuscation,html-q-tags,pdf-engine,pdf-engine-opt,pdf-engine-opts,beamerarticle,beameroption,aspectratio,titlegraphic,navigation,section-titles,colortheme,colorthemeoptions,fonttheme,fontthemeoptions,innertheme,innerthemeoptions,outertheme,outerthemeoptions,themeoptions,section,variant,markdown-headings,ipynb-output,quarto-required,preview-mode,pdfa,pdfaiccprofile,pdfaintent,bibliography,csl,citations-hover,citation-location,cite-method,citeproc,biblatexoptions,natbiboptions,biblio-style,bibliographystyle,biblio-title,biblio-config,citation-abbreviations,link-citations,link-bibliography,notes-after-punctuation,from,reader,output-file,output-ext,template,template-partials,embed-resources,self-contained,self-contained-math,filters,shortcodes,keep-md,keep-ipynb,ipynb-filters,ipynb-shell-interactivity,plotly-connected,keep-typ,keep-tex,extract-media,resource-path,default-image-extension,abbreviations,dpi,html-table-processing,html-pre-tag-processing,css-property-processing,use-rsvg-convert,scrollable,smaller,output-location,embedded,display,auto-stretch,width,height,margin,min-scale,max-scale,center,disable-layout,code-block-height,preview-links,auto-play-media,preload-iframes,view-distance,mobile-view-distance,parallax-background-image,parallax-background-size,parallax-background-horizontal,parallax-background-vertical,progress,history,navigation-mode,touch,keyboard,mouse-wheel,hide-inactive-cursor,hide-cursor-time,loop,shuffle,controls,controls-layout,controls-tutorial,controls-back-arrows,auto-slide,auto-slide-stoppable,auto-slide-method,default-timing,pause,help,hash,hash-type,hash-one-based-index,respond-to-hash-changes,fragment-in-url,slide-tone,jump-to-slide,pdf-max-pages-per-slide,pdf-separate-fragments,pdf-page-height-offset,overview,menu,chalkboard,multiplex,scroll-view,transition,transition-speed,background-transition,fragments,auto-animate,auto-animate-easing,auto-animate-duration,auto-animate-unmatched,auto-animate-styles,incremental,slide-level,slide-number,show-slide-number,title-slide-attributes,title-slide-style,center-title-slide,show-notes,rtl,df-print,wrap,columns,tab-stop,preserve-tabs,eol,strip-comments,ascii,toc,table-of-contents,toc-indent,toc-depth,toc-location,toc-title,toc-expand,lof,lot,search,repo-actions,aliases,image,image-height,image-width,image-alt,image-lazy-loading,axe","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^fig_align$|^figAlign$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_colwidths$|^tblColwidths$|^date_format$|^dateFormat$|^date_modified$|^dateModified$|^abstract_title$|^abstractTitle$|^code_copy$|^codeCopy$|^code_link$|^codeLink$|^code_annotations$|^codeAnnotations$|^code_tools$|^codeTools$|^code_block_border_left$|^codeBlockBorderLeft$|^code_block_bg$|^codeBlockBg$|^highlight_style$|^highlightStyle$|^syntax_definition$|^syntaxDefinition$|^syntax_definitions$|^syntaxDefinitions$|^indented_code_classes$|^indentedCodeClasses$|^crossrefs_hover$|^crossrefsHover$|^nav_buttons$|^navButtons$|^belongs_to_collection$|^belongsToCollection$|^group_position$|^groupPosition$|^page_progression_direction$|^pageProgressionDirection$|^epub_metadata$|^epubMetadata$|^epub_subdirectory$|^epubSubdirectory$|^epub_fonts$|^epubFonts$|^epub_chapter_level$|^epubChapterLevel$|^epub_cover_image$|^epubCoverImage$|^epub_title_page$|^epubTitlePage$|^daemon_restart$|^daemonRestart$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^fig_responsive$|^figResponsive$|^cjkmainfont$|^cjkmainfont$|^font_paths$|^fontPaths$|^cjkoptions$|^cjkoptions$|^footnotes_hover$|^footnotesHover$|^links_as_notes$|^linksAsNotes$|^reference_location$|^referenceLocation$|^list_tables$|^listTables$|^split_level$|^splitLevel$|^input_file$|^inputFile$|^input_files$|^inputFiles$|^request_headers$|^requestHeaders$|^fail_if_warnings$|^failIfWarnings$|^dump_args$|^dumpArgs$|^ignore_args$|^ignoreArgs$|^file_scope$|^fileScope$|^data_dir$|^dataDir$|^log_file$|^logFile$|^track_changes$|^trackChanges$|^keep_source$|^keepSource$|^keep_hidden$|^keepHidden$|^prefer_html$|^preferHtml$|^output_divs$|^outputDivs$|^merge_includes$|^mergeIncludes$|^header_includes$|^headerIncludes$|^include_before$|^includeBefore$|^include_after$|^includeAfter$|^include_before_body$|^includeBeforeBody$|^include_after_body$|^includeAfterBody$|^include_in_header$|^includeInHeader$|^metadata_file$|^metadataFile$|^metadata_files$|^metadataFiles$|^latex_auto_mk$|^latexAutoMk$|^latex_auto_install$|^latexAutoInstall$|^latex_min_runs$|^latexMinRuns$|^latex_max_runs$|^latexMaxRuns$|^latex_clean$|^latexClean$|^latex_makeindex$|^latexMakeindex$|^latex_makeindex_opts$|^latexMakeindexOpts$|^latex_tlmgr_opts$|^latexTlmgrOpts$|^latex_output_dir$|^latexOutputDir$|^latex_tinytex$|^latexTinytex$|^latex_input_paths$|^latexInputPaths$|^brand_mode$|^brandMode$|^page_layout$|^pageLayout$|^page_width$|^pageWidth$|^appendix_style$|^appendixStyle$|^appendix_cite_as$|^appendixCiteAs$|^title_block_style$|^titleBlockStyle$|^title_block_banner$|^titleBlockBanner$|^title_block_banner_color$|^titleBlockBannerColor$|^title_block_categories$|^titleBlockCategories$|^max_width$|^maxWidth$|^margin_left$|^marginLeft$|^margin_right$|^marginRight$|^margin_top$|^marginTop$|^margin_bottom$|^marginBottom$|^block_headings$|^blockHeadings$|^revealjs_url$|^revealjsUrl$|^s5_url$|^s5Url$|^slidy_url$|^slidyUrl$|^slideous_url$|^slideousUrl$|^link_external_icon$|^linkExternalIcon$|^link_external_newwindow$|^linkExternalNewwindow$|^link_external_filter$|^linkExternalFilter$|^format_links$|^formatLinks$|^notebook_links$|^notebookLinks$|^other_links$|^otherLinks$|^code_links$|^codeLinks$|^notebook_subarticles$|^notebookSubarticles$|^notebook_view$|^notebookView$|^notebook_view_style$|^notebookViewStyle$|^notebook_preview_options$|^notebookPreviewOptions$|^canonical_url$|^canonicalUrl$|^title_meta$|^titleMeta$|^title_prefix$|^titlePrefix$|^description_meta$|^descriptionMeta$|^author_meta$|^authorMeta$|^date_meta$|^dateMeta$|^number_sections$|^numberSections$|^number_depth$|^numberDepth$|^number_offset$|^numberOffset$|^section_numbering$|^sectionNumbering$|^shift_heading_level_by$|^shiftHeadingLevelBy$|^top_level_division$|^topLevelDivision$|^ojs_engine$|^ojsEngine$|^reference_doc$|^referenceDoc$|^body_classes$|^bodyClasses$|^document_css$|^documentCss$|^anchor_sections$|^anchorSections$|^smooth_scroll$|^smoothScroll$|^respect_user_color_scheme$|^respectUserColorScheme$|^html_math_method$|^htmlMathMethod$|^section_divs$|^sectionDivs$|^identifier_prefix$|^identifierPrefix$|^email_obfuscation$|^emailObfuscation$|^html_q_tags$|^htmlQTags$|^pdf_engine$|^pdfEngine$|^pdf_engine_opt$|^pdfEngineOpt$|^pdf_engine_opts$|^pdfEngineOpts$|^section_titles$|^sectionTitles$|^markdown_headings$|^markdownHeadings$|^ipynb_output$|^ipynbOutput$|^quarto_required$|^quartoRequired$|^preview_mode$|^previewMode$|^citations_hover$|^citationsHover$|^citation_location$|^citationLocation$|^cite_method$|^citeMethod$|^biblio_style$|^biblioStyle$|^biblio_title$|^biblioTitle$|^biblio_config$|^biblioConfig$|^citation_abbreviations$|^citationAbbreviations$|^link_citations$|^linkCitations$|^link_bibliography$|^linkBibliography$|^notes_after_punctuation$|^notesAfterPunctuation$|^output_file$|^outputFile$|^output_ext$|^outputExt$|^template_partials$|^templatePartials$|^embed_resources$|^embedResources$|^self_contained$|^selfContained$|^self_contained_math$|^selfContainedMath$|^keep_md$|^keepMd$|^keep_ipynb$|^keepIpynb$|^ipynb_filters$|^ipynbFilters$|^ipynb_shell_interactivity$|^ipynbShellInteractivity$|^plotly_connected$|^plotlyConnected$|^keep_typ$|^keepTyp$|^keep_tex$|^keepTex$|^extract_media$|^extractMedia$|^resource_path$|^resourcePath$|^default_image_extension$|^defaultImageExtension$|^html_table_processing$|^htmlTableProcessing$|^html_pre_tag_processing$|^htmlPreTagProcessing$|^css_property_processing$|^cssPropertyProcessing$|^use_rsvg_convert$|^useRsvgConvert$|^output_location$|^outputLocation$|^auto_stretch$|^autoStretch$|^min_scale$|^minScale$|^max_scale$|^maxScale$|^disable_layout$|^disableLayout$|^code_block_height$|^codeBlockHeight$|^preview_links$|^previewLinks$|^auto_play_media$|^autoPlayMedia$|^preload_iframes$|^preloadIframes$|^view_distance$|^viewDistance$|^mobile_view_distance$|^mobileViewDistance$|^parallax_background_image$|^parallaxBackgroundImage$|^parallax_background_size$|^parallaxBackgroundSize$|^parallax_background_horizontal$|^parallaxBackgroundHorizontal$|^parallax_background_vertical$|^parallaxBackgroundVertical$|^navigation_mode$|^navigationMode$|^mouse_wheel$|^mouseWheel$|^hide_inactive_cursor$|^hideInactiveCursor$|^hide_cursor_time$|^hideCursorTime$|^controls_layout$|^controlsLayout$|^controls_tutorial$|^controlsTutorial$|^controls_back_arrows$|^controlsBackArrows$|^auto_slide$|^autoSlide$|^auto_slide_stoppable$|^autoSlideStoppable$|^auto_slide_method$|^autoSlideMethod$|^default_timing$|^defaultTiming$|^hash_type$|^hashType$|^hash_one_based_index$|^hashOneBasedIndex$|^respond_to_hash_changes$|^respondToHashChanges$|^fragment_in_url$|^fragmentInUrl$|^slide_tone$|^slideTone$|^jump_to_slide$|^jumpToSlide$|^pdf_max_pages_per_slide$|^pdfMaxPagesPerSlide$|^pdf_separate_fragments$|^pdfSeparateFragments$|^pdf_page_height_offset$|^pdfPageHeightOffset$|^scroll_view$|^scrollView$|^transition_speed$|^transitionSpeed$|^background_transition$|^backgroundTransition$|^auto_animate$|^autoAnimate$|^auto_animate_easing$|^autoAnimateEasing$|^auto_animate_duration$|^autoAnimateDuration$|^auto_animate_unmatched$|^autoAnimateUnmatched$|^auto_animate_styles$|^autoAnimateStyles$|^slide_level$|^slideLevel$|^slide_number$|^slideNumber$|^show_slide_number$|^showSlideNumber$|^title_slide_attributes$|^titleSlideAttributes$|^title_slide_style$|^titleSlideStyle$|^center_title_slide$|^centerTitleSlide$|^show_notes$|^showNotes$|^df_print$|^dfPrint$|^tab_stop$|^tabStop$|^preserve_tabs$|^preserveTabs$|^strip_comments$|^stripComments$|^table_of_contents$|^tableOfContents$|^toc_indent$|^tocIndent$|^toc_depth$|^tocDepth$|^toc_location$|^tocLocation$|^toc_title$|^tocTitle$|^toc_expand$|^tocExpand$|^repo_actions$|^repoActions$|^image_height$|^imageHeight$|^image_width$|^imageWidth$|^image_alt$|^imageAlt$|^image_lazy_loading$|^imageLazyLoading$))","tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case","capitalizationCase"],"error-importance":-5,"case-detection":true}},{"_internalId":5504,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},{"_internalId":191694,"type":"ref","$ref":"quarto-dev-schema","description":""}],"description":"be all of: a Quarto YAML front matter object, an object, a front-matter-execute object, ref"}],"description":"be at least one of: the null value, all of: a Quarto YAML front matter object, an object, a front-matter-execute object, ref","$id":"front-matter"},"project-config-fields":{"_internalId":191784,"type":"object","description":"be an object","properties":{"project":{"_internalId":191762,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string"},"type":{"type":"string","description":"be a string","completions":["default","website","book","manuscript"],"tags":{"description":"Project type (`default`, `website`, `book`, or `manuscript`)"},"documentation":"HTML library (JS/CSS/etc.) directory"},"render":{"_internalId":191710,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"tags":{"description":"Files to render (defaults to all files)"},"documentation":"Additional file resources to be copied to output directory"},"execute-dir":{"_internalId":191713,"type":"enum","enum":["file","project"],"description":"be one of: `file`, `project`","completions":["file","project"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Working directory for computations","long":"Control the working directory for computations. \n\n- `file`: Use the directory of the file that is currently executing.\n- `project`: Use the root directory of the project.\n"}},"documentation":"Additional file resources to be copied to output directory"},"output-dir":{"type":"string","description":"be a string","tags":{"description":"Output directory"},"documentation":"Path to brand.yml or object with light and dark paths to\nbrand.yml"},"lib-dir":{"type":"string","description":"be a string","tags":{"description":"HTML library (JS/CSS/etc.) directory"},"documentation":"Options for quarto preview"},"resources":{"_internalId":191725,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Scripts to run as a post-render step"},{"_internalId":191724,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"Additional file resources to be copied to output directory"},"documentation":"Scripts to run as a post-render step"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"brand":{"_internalId":191730,"type":"ref","$ref":"brand-path-only-light-dark","description":"be brand-path-only-light-dark","tags":{"description":"Path to brand.yml or object with light and dark paths to brand.yml\n"},"documentation":"Array of paths used to detect the project type within a directory"},"preview":{"_internalId":191735,"type":"ref","$ref":"project-preview","description":"be project-preview","tags":{"description":"Options for `quarto preview`"},"documentation":"Website configuration."},"pre-render":{"_internalId":191743,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":191742,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a pre-render step"},"documentation":"Book configuration."},"post-render":{"_internalId":191751,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":191750,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Scripts to run as a post-render step"},"documentation":"Book title"},"detect":{"_internalId":191761,"type":"array","description":"be an array of values, where each element must be an array of values, where each element must be a string","items":{"_internalId":191760,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}},"completions":[],"tags":{"hidden":true,"description":"Array of paths used to detect the project type within a directory"},"documentation":"Description metadata for HTML version of book"}},"patternProperties":{},"closed":true,"documentation":"Output directory","tags":{"description":"Project configuration."}},"website":{"_internalId":191765,"type":"ref","$ref":"base-website","description":"be base-website","documentation":"The path to the favicon for this website","tags":{"description":"Website configuration."}},"book":{"_internalId":1694,"type":"object","description":"be an object","properties":{"title":{"type":"string","description":"be a string","tags":{"description":"Book title"},"documentation":"Path to site (defaults to /). Not required if you\nspecify site-url."},"description":{"type":"string","description":"be a string","tags":{"description":"Description metadata for HTML version of book"},"documentation":"Base URL for website source code repository"},"favicon":{"type":"string","description":"be a string","tags":{"description":"The path to the favicon for this website"},"documentation":"The value of the target attribute for repo links"},"site-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for published website"},"documentation":"The value of the rel attribute for repo links"},"site-path":{"type":"string","description":"be a string","tags":{"description":"Path to site (defaults to `/`). Not required if you specify `site-url`.\n"},"documentation":"Subdirectory of repository containing website"},"repo-url":{"type":"string","description":"be a string","tags":{"description":"Base URL for website source code repository"},"documentation":"Branch of website source code (defaults to main)"},"repo-link-target":{"type":"string","description":"be a string","tags":{"description":"The value of the target attribute for repo links"},"documentation":"URL to use for the ‘report an issue’ repository action."},"repo-link-rel":{"type":"string","description":"be a string","tags":{"description":"The value of the rel attribute for repo links"},"documentation":"Links to source repository actions"},"repo-subdir":{"type":"string","description":"be a string","tags":{"description":"Subdirectory of repository containing website"},"documentation":"Links to source repository actions"},"repo-branch":{"type":"string","description":"be a string","tags":{"description":"Branch of website source code (defaults to `main`)"},"documentation":"Displays a ‘reader-mode’ tool which allows users to hide the sidebar\nand table of contents when viewing a page."},"issue-url":{"type":"string","description":"be a string","tags":{"description":"URL to use for the 'report an issue' repository action."},"documentation":"Enable Google Analytics for this website"},"repo-actions":{"_internalId":501,"type":"anyOf","anyOf":[{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"},{"_internalId":500,"type":"array","description":"be an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","items":{"_internalId":499,"type":"enum","enum":["none","edit","source","issue"],"description":"be one of: `none`, `edit`, `source`, `issue`","completions":["none","edit","source","issue"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Links to source repository actions","long":"Links to source repository actions (`none` or one or more of `edit`, `source`, `issue`)"}},"documentation":"Storage options for Google Analytics data"}}],"description":"be at least one of: one of: `none`, `edit`, `source`, `issue`, an array of values, where each element must be one of: `none`, `edit`, `source`, `issue`","tags":{"complete-from":["anyOf",0]}},"reader-mode":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Displays a 'reader-mode' tool which allows users to hide the sidebar and table of contents when viewing a page.\n"},"documentation":"Anonymize the user ip address."},"google-analytics":{"_internalId":525,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":524,"type":"object","description":"be an object","properties":{"tracking-id":{"type":"string","description":"be a string","tags":{"description":"The Google tracking Id or measurement Id of this website."},"documentation":"Enable Plausible Analytics for this website by providing a script\nsnippet or path to snippet file"},"storage":{"_internalId":516,"type":"enum","enum":["cookies","none"],"description":"be one of: `cookies`, `none`","completions":["cookies","none"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Storage options for Google Analytics data","long":"Storage option for Google Analytics data using on of these two values:\n\n`cookies`: Use cookies to store unique user and session identification (default).\n\n`none`: Do not use cookies to store unique user and session identification.\n\nFor more about choosing storage options see [Storage](https://quarto.org/docs/websites/website-tools.html#storage).\n"}},"documentation":"Path to a file containing the Plausible Analytics script snippet"},"anonymize-ip":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":{"short":"Anonymize the user ip address.","long":"Anonymize the user ip address. For more about this feature, see \n[IP Anonymization (or IP masking) in Google Analytics](https://support.google.com/analytics/answer/2763052?hl=en).\n"}},"documentation":"Provides an announcement displayed at the top of the page."},"version":{"_internalId":523,"type":"enum","enum":[3,4],"description":"be one of: `3`, `4`","completions":["3","4"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The version number of Google Analytics to use.","long":"The version number of Google Analytics to use. \n\n- `3`: Use analytics.js\n- `4`: use gtag. \n\nThis is automatically detected based upon the `tracking-id`, but you may specify it.\n"}},"documentation":"The content of the announcement"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention tracking-id,storage,anonymize-ip,version","type":"string","pattern":"(?!(^tracking_id$|^trackingId$|^anonymize_ip$|^anonymizeIp$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: a string, an object","tags":{"description":"Enable Google Analytics for this website"},"documentation":"The version number of Google Analytics to use."},"plausible-analytics":{"_internalId":535,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":534,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to a file containing the Plausible Analytics script snippet"},"documentation":"The icon to display in the announcement"}},"patternProperties":{},"required":["path"],"closed":true}],"description":"be at least one of: a string, an object","tags":{"description":{"short":"Enable Plausible Analytics for this website by providing a script snippet or path to snippet file","long":"Enable Plausible Analytics for this website by pasting the script snippet from your Plausible dashboard,\nor by providing a path to a file containing the snippet.\n\nPlausible is a privacy-friendly, GDPR-compliant web analytics service that does not use cookies and does not require cookie consent.\n\n**Option 1: Inline snippet**\n\n```yaml\nwebsite:\n plausible-analytics: |\n \n```\n\n**Option 2: File path**\n\n```yaml\nwebsite:\n plausible-analytics:\n path: _plausible_snippet.html\n```\n\nTo get your script snippet:\n\n1. Log into your Plausible account at \n2. Go to your site settings\n3. Copy the JavaScript snippet provided\n4. Either paste it directly in your configuration or save it to a file\n\nFor more information, see \n"}},"documentation":"Whether this announcement may be dismissed by the user."},"announcement":{"_internalId":565,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":564,"type":"object","description":"be an object","properties":{"content":{"type":"string","description":"be a string","tags":{"description":"The content of the announcement"},"documentation":"The type of announcement. Affects the appearance of the\nannouncement."},"dismissable":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether this announcement may be dismissed by the user."},"documentation":"Request cookie consent before enabling scripts that set cookies"},"icon":{"type":"string","description":"be a string","tags":{"description":{"short":"The icon to display in the announcement","long":"Name of bootstrap icon (e.g. `github`, `twitter`, `share`) for the announcement.\nSee for a list of available icons\n"}},"documentation":"The type of consent that should be requested"},"position":{"_internalId":558,"type":"enum","enum":["above-navbar","below-navbar"],"description":"be one of: `above-navbar`, `below-navbar`","completions":["above-navbar","below-navbar"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The position of the announcement.","long":"The position of the announcement. One of `above-navbar` (default) or `below-navbar`.\n"}},"documentation":"The style of the consent banner that is displayed"},"type":{"_internalId":563,"type":"enum","enum":["primary","secondary","success","danger","warning","info","light","dark"],"description":"be one of: `primary`, `secondary`, `success`, `danger`, `warning`, `info`, `light`, `dark`","completions":["primary","secondary","success","danger","warning","info","light","dark"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of announcement. Affects the appearance of the announcement.","long":"The type of announcement. One of `primary`, `secondary`, `success`, `danger`, `warning`,\n `info`, `light` or `dark`. Affects the appearance of the announcement.\n"}},"documentation":"Whether to use a dark or light appearance for the consent banner\n(light or dark)."}},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Provides an announcement displayed at the top of the page."},"documentation":"The position of the announcement."},"cookie-consent":{"_internalId":597,"type":"anyOf","anyOf":[{"_internalId":570,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":596,"type":"object","description":"be an object","properties":{"type":{"_internalId":577,"type":"enum","enum":["express","implied"],"description":"be one of: `express`, `implied`","completions":["express","implied"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The type of consent that should be requested","long":"The type of consent that should be requested, using one of these two values:\n\n- `express` (default): This will block cookies until the user expressly agrees to allow them (or continue blocking them if the user doesn’t agree).\n\n- `implied`: This will notify the user that the site uses cookies and permit them to change preferences, but not block cookies unless the user changes their preferences.\n"}},"documentation":"The language to be used when diplaying the cookie consent prompt\n(defaults to document language)."},"style":{"_internalId":580,"type":"enum","enum":["simple","headline","interstitial","standalone"],"description":"be one of: `simple`, `headline`, `interstitial`, `standalone`","completions":["simple","headline","interstitial","standalone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"The style of the consent banner that is displayed","long":"The style of the consent banner that is displayed:\n\n- `simple` (default): A simple dialog in the lower right corner of the website.\n\n- `headline`: A full width banner across the top of the website.\n\n- `interstitial`: An semi-transparent overlay of the entire website.\n\n- `standalone`: An opaque overlay of the entire website.\n"}},"documentation":"The text to display for the cookie preferences link in the website\nfooter."},"palette":{"_internalId":583,"type":"enum","enum":["light","dark"],"description":"be one of: `light`, `dark`","completions":["light","dark"],"exhaustiveCompletions":true,"tags":{"description":"Whether to use a dark or light appearance for the consent banner (`light` or `dark`)."},"documentation":"Provide full text search for website"},"policy-url":{"type":"string","description":"be a string","tags":{"description":"The url to the website’s cookie or privacy policy."},"documentation":"Location for search widget (navbar or\nsidebar)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language to be used when diplaying the cookie consent prompt (defaults to document language).","long":"The language to be used when diplaying the cookie consent prompt specified using an IETF language tag.\n\nIf not specified, the document language will be used.\n"}},"documentation":"Type of search UI (overlay or textbox)"},"prefs-text":{"type":"string","description":"be a string","tags":{"description":{"short":"The text to display for the cookie preferences link in the website footer."}},"documentation":"Number of matches to display (defaults to 20)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention type,style,palette,policy-url,language,prefs-text","type":"string","pattern":"(?!(^policy_url$|^policyUrl$|^prefs_text$|^prefsText$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: one of: `express`, `implied`, `true` or `false`, an object","tags":{"description":{"short":"Request cookie consent before enabling scripts that set cookies","long":"Quarto includes the ability to request cookie consent before enabling scripts that set cookies, using [Cookie Consent](https://www.cookieconsent.com/).\n\nThe user’s cookie preferences will automatically control Google Analytics (if enabled) and can be used to control custom scripts you add as well. For more information see [Custom Scripts and Cookie Consent](https://quarto.org/docs/websites/website-tools.html#custom-scripts-and-cookie-consent).\n"}},"documentation":"The url to the website’s cookie or privacy policy."},"search":{"_internalId":684,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":683,"type":"object","description":"be an object","properties":{"location":{"_internalId":606,"type":"enum","enum":["navbar","sidebar"],"description":"be one of: `navbar`, `sidebar`","completions":["navbar","sidebar"],"exhaustiveCompletions":true,"tags":{"description":"Location for search widget (`navbar` or `sidebar`)"},"documentation":"Provide button for copying search link"},"type":{"_internalId":609,"type":"enum","enum":["overlay","textbox"],"description":"be one of: `overlay`, `textbox`","completions":["overlay","textbox"],"exhaustiveCompletions":true,"tags":{"description":"Type of search UI (`overlay` or `textbox`)"},"documentation":"When false, do not merge navbar crumbs into the crumbs in\nsearch.json."},"limit":{"type":"number","description":"be a number","tags":{"description":"Number of matches to display (defaults to 20)"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"collapse-after":{"type":"number","description":"be a number","tags":{"description":"Matches after which to collapse additional results"},"documentation":"One or more keys that will act as a shortcut to launch search (single\ncharacters)"},"copy-button":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide button for copying search link"},"documentation":"Whether to include search result parents when displaying items in\nsearch results (when possible)."},"merge-navbar-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When false, do not merge navbar crumbs into the crumbs in `search.json`."},"documentation":"Use external Algolia search index"},"keyboard-shortcut":{"_internalId":631,"type":"anyOf","anyOf":[{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"},{"_internalId":630,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string","tags":{"description":"One or more keys that will act as a shortcut to launch search (single characters)"},"documentation":"The unique ID used by Algolia to identify your application"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0]}},"show-item-context":{"_internalId":641,"type":"anyOf","anyOf":[{"_internalId":638,"type":"enum","enum":["tree","parent","root"],"description":"be one of: `tree`, `parent`, `root`","completions":["tree","parent","root"],"exhaustiveCompletions":true},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: one of: `tree`, `parent`, `root`, `true` or `false`","tags":{"description":"Whether to include search result parents when displaying items in search results (when possible)."},"documentation":"The Search-Only API key to use to connect to Algolia"},"algolia":{"_internalId":682,"type":"object","description":"be an object","properties":{"index-name":{"type":"string","description":"be a string","tags":{"description":"The name of the index to use when performing a search"},"documentation":"Enable the display of the Algolia logo in the search results\nfooter."},"application-id":{"type":"string","description":"be a string","tags":{"description":"The unique ID used by Algolia to identify your application"},"documentation":"Field that contains the URL of index entries"},"search-only-api-key":{"type":"string","description":"be a string","tags":{"description":"The Search-Only API key to use to connect to Algolia"},"documentation":"Field that contains the title of index entries"},"analytics-events":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable tracking of Algolia analytics events"},"documentation":"Field that contains the text of index entries"},"show-logo":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Enable the display of the Algolia logo in the search results footer."},"documentation":"Field that contains the section of index entries"},"index-fields":{"_internalId":678,"type":"object","description":"be an object","properties":{"href":{"type":"string","description":"be a string","tags":{"description":"Field that contains the URL of index entries"},"documentation":"Additional parameters to pass when executing a search"},"title":{"type":"string","description":"be a string","tags":{"description":"Field that contains the title of index entries"},"documentation":"Top navigation options"},"text":{"type":"string","description":"be a string","tags":{"description":"Field that contains the text of index entries"},"documentation":"The navbar title. Uses the project title if none is specified."},"section":{"type":"string","description":"be a string","tags":{"description":"Field that contains the section of index entries"},"documentation":"Specification of image that will be displayed to the left of the\ntitle."}},"patternProperties":{},"closed":true},"params":{"_internalId":681,"type":"object","description":"be an object","properties":{},"patternProperties":{},"tags":{"description":"Additional parameters to pass when executing a search"},"documentation":"Alternate text for the logo image."}},"patternProperties":{},"closed":true,"tags":{"description":"Use external Algolia search index"},"documentation":"Enable tracking of Algolia analytics events"}},"patternProperties":{},"closed":true}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Provide full text search for website"},"documentation":"Matches after which to collapse additional results"},"navbar":{"_internalId":738,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":737,"type":"object","description":"be an object","properties":{"title":{"_internalId":697,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The navbar title. Uses the project title if none is specified."},"documentation":"The navbar’s background color (named or hex color)."},"logo":{"_internalId":700,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed to the left of the title."},"documentation":"The navbar’s foreground color (named or hex color)."},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"Include a search box in the navbar."},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"Always show the navbar (keeping it pinned)."},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's background color (named or hex color)."},"documentation":"Collapse the navbar into a menu when the display becomes narrow."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The navbar's foreground color (named or hex color)."},"documentation":"The responsive breakpoint below which the navbar will collapse into a\nmenu (sm, md, lg (default),\nxl, xxl)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search box in the navbar."},"documentation":"List of items for the left side of the navbar."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Always show the navbar (keeping it pinned)."},"documentation":"List of items for the right side of the navbar."},"collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse the navbar into a menu when the display becomes narrow."},"documentation":"The position of the collapsed navbar toggle when in responsive\nmode"},"collapse-below":{"_internalId":717,"type":"enum","enum":["sm","md","lg","xl","xxl"],"description":"be one of: `sm`, `md`, `lg`, `xl`, `xxl`","completions":["sm","md","lg","xl","xxl"],"exhaustiveCompletions":true,"tags":{"description":"The responsive breakpoint below which the navbar will collapse into a menu (`sm`, `md`, `lg` (default), `xl`, `xxl`)."},"documentation":"Collapse tools into the navbar menu when the display becomes\nnarrow."},"left":{"_internalId":723,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":722,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the left side of the navbar."},"documentation":"Side navigation options"},"right":{"_internalId":729,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":728,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"List of items for the right side of the navbar."},"documentation":"The identifier for this sidebar."},"toggle-position":{"_internalId":734,"type":"enum","enum":["left","right"],"description":"be one of: `left`, `right`","completions":["left","right"],"exhaustiveCompletions":true,"tags":{"description":"The position of the collapsed navbar toggle when in responsive mode"},"documentation":"The sidebar title. Uses the project title if none is specified."},"tools-collapse":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Collapse tools into the navbar menu when the display becomes narrow."},"documentation":"Specification of image that will be displayed in the sidebar."}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention title,logo,logo-alt,logo-href,background,foreground,search,pinned,collapse,collapse-below,left,right,toggle-position,tools-collapse","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_below$|^collapseBelow$|^toggle_position$|^togglePosition$|^tools_collapse$|^toolsCollapse$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}],"description":"be at least one of: `true` or `false`, an object","tags":{"description":"Top navigation options"},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"sidebar":{"_internalId":809,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":808,"type":"anyOf","anyOf":[{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},{"_internalId":807,"type":"array","description":"be an array of values, where each element must be an object","items":{"_internalId":806,"type":"object","description":"be an object","properties":{"id":{"type":"string","description":"be a string","tags":{"description":"The identifier for this sidebar."},"documentation":"Target href from navbar logo / title. By default, the logo and title\nlink to the root page of the site (/index.html)."},"title":{"_internalId":755,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}],"description":"be at least one of: a string, `true` or `false`","tags":{"description":"The sidebar title. Uses the project title if none is specified."},"documentation":"Include a search control in the sidebar."},"logo":{"_internalId":758,"type":"ref","$ref":"logo-light-dark-specifier","description":"be logo-light-dark-specifier","tags":{"description":"Specification of image that will be displayed in the sidebar."},"documentation":"List of sidebar tools"},"logo-alt":{"type":"string","description":"be a string","tags":{"description":"Alternate text for the logo image."},"documentation":"List of items for the sidebar"},"logo-href":{"type":"string","description":"be a string","tags":{"description":"Target href from navbar logo / title. By default, the logo and title link to the root page of the site (/index.html)."},"documentation":"The style of sidebar (docked or\nfloating)."},"search":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Include a search control in the sidebar."},"documentation":"The sidebar’s background color (named or hex color)."},"tools":{"_internalId":770,"type":"array","description":"be an array of values, where each element must be navigation-item-object","items":{"_internalId":769,"type":"ref","$ref":"navigation-item-object","description":"be navigation-item-object"},"tags":{"description":"List of sidebar tools"},"documentation":"The sidebar’s foreground color (named or hex color)."},"contents":{"_internalId":773,"type":"ref","$ref":"sidebar-contents","description":"be sidebar-contents","tags":{"description":"List of items for the sidebar"},"documentation":"Whether to show a border on the sidebar (defaults to true for\n‘docked’ sidebars)"},"style":{"_internalId":776,"type":"enum","enum":["docked","floating"],"description":"be one of: `docked`, `floating`","completions":["docked","floating"],"exhaustiveCompletions":true,"tags":{"description":"The style of sidebar (`docked` or `floating`)."},"documentation":"Alignment of the items within the sidebar (left,\nright, or center)"},"background":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's background color (named or hex color)."},"documentation":"The depth at which the sidebar contents should be collapsed by\ndefault."},"foreground":{"type":"string","description":"be a string","completions":["primary","secondary","success","danger","warning","info","light","dark"],"tags":{"description":"The sidebar's foreground color (named or hex color)."},"documentation":"When collapsed, pin the collapsed sidebar to the top of the page."},"border":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show a border on the sidebar (defaults to true for 'docked' sidebars)"},"documentation":"Markdown to place above sidebar content (text or file path)"},"alignment":{"_internalId":789,"type":"enum","enum":["left","right","center"],"description":"be one of: `left`, `right`, `center`","completions":["left","right","center"],"exhaustiveCompletions":true,"tags":{"description":"Alignment of the items within the sidebar (`left`, `right`, or `center`)"},"documentation":"Markdown to place below sidebar content (text or file path)"},"collapse-level":{"type":"number","description":"be a number","tags":{"description":"The depth at which the sidebar contents should be collapsed by default."},"documentation":"Markdown to insert at the beginning of each page’s body (below the\ntitle and author block)."},"pinned":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"When collapsed, pin the collapsed sidebar to the top of the page."},"documentation":"Markdown to insert below each page’s body."},"header":{"_internalId":799,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":798,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above sidebar content (text or file path)"},"documentation":"Markdown to place above margin content (text or file path)"},"footer":{"_internalId":805,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":804,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below sidebar content (text or file path)"},"documentation":"Markdown to place below margin content (text or file path)"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention id,title,logo,logo-alt,logo-href,search,tools,contents,style,background,foreground,border,alignment,collapse-level,pinned,header,footer","type":"string","pattern":"(?!(^logo_alt$|^logoAlt$|^logo_href$|^logoHref$|^collapse_level$|^collapseLevel$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}}}],"description":"be at least one of: an object, an array of values, where each element must be an object","tags":{"complete-from":["anyOf",0]}}],"description":"be at least one of: `true` or `false`, at least one of: an object, an array of values, where each element must be an object","tags":{"description":"Side navigation options"},"documentation":"Alternate text for the logo image."},"body-header":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert at the beginning of each page’s body (below the title and author block)."},"documentation":"Provide next and previous article links in footer"},"body-footer":{"type":"string","description":"be a string","tags":{"description":"Markdown to insert below each page’s body."},"documentation":"Provide a ‘back to top’ navigation button"},"margin-header":{"_internalId":819,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":818,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place above margin content (text or file path)"},"documentation":"Whether to show navigation breadcrumbs for pages more than 1 level\ndeep"},"margin-footer":{"_internalId":825,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":824,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"Markdown to place below margin content (text or file path)"},"documentation":"Shared page footer"},"page-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide next and previous article links in footer"},"documentation":"Default site thumbnail image for twitter\n/open-graph"},"back-to-top-navigation":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Provide a 'back to top' navigation button"},"documentation":"Default site thumbnail image alt text for twitter\n/open-graph"},"bread-crumbs":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true,"tags":{"description":"Whether to show navigation breadcrumbs for pages more than 1 level deep"},"documentation":"Publish open graph metadata"},"page-footer":{"_internalId":839,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":838,"type":"ref","$ref":"page-footer","description":"be page-footer"}],"description":"be at least one of: a string, page-footer","tags":{"description":"Shared page footer"},"documentation":"Publish twitter card metadata"},"image":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image for `twitter` /`open-graph`\n"},"documentation":"A list of other links to appear below the TOC."},"image-alt":{"type":"string","description":"be a string","tags":{"description":"Default site thumbnail image alt text for `twitter` /`open-graph`\n"},"documentation":"A list of code links to appear with this document."},"comments":{"_internalId":848,"type":"ref","$ref":"document-comments-configuration","description":"be document-comments-configuration"},"open-graph":{"_internalId":856,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":855,"type":"ref","$ref":"open-graph-config","description":"be open-graph-config"}],"description":"be at least one of: `true` or `false`, open-graph-config","tags":{"description":"Publish open graph metadata"},"documentation":"A list of input documents that should be treated as drafts"},"twitter-card":{"_internalId":864,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":863,"type":"ref","$ref":"twitter-card-config","description":"be twitter-card-config"}],"description":"be at least one of: `true` or `false`, twitter-card-config","tags":{"description":"Publish twitter card metadata"},"documentation":"How to handle drafts that are encountered."},"other-links":{"_internalId":869,"type":"ref","$ref":"other-links","description":"be other-links","tags":{"formats":["$html-doc"],"description":"A list of other links to appear below the TOC."},"documentation":"Book subtitle"},"code-links":{"_internalId":879,"type":"anyOf","anyOf":[{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},{"_internalId":878,"type":"ref","$ref":"code-links-schema","description":"be code-links-schema"}],"description":"be at least one of: `true` or `false`, code-links-schema","tags":{"formats":["$html-doc"],"description":"A list of code links to appear with this document."},"documentation":"Author or authors of the book"},"drafts":{"_internalId":887,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":886,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string","tags":{"complete-from":["anyOf",0],"description":"A list of input documents that should be treated as drafts"},"documentation":"Author or authors of the book"},"draft-mode":{"_internalId":892,"type":"enum","enum":["visible","unlinked","gone"],"description":"be one of: `visible`, `unlinked`, `gone`","completions":["visible","unlinked","gone"],"exhaustiveCompletions":true,"tags":{"description":{"short":"How to handle drafts that are encountered.","long":"How to handle drafts that are encountered.\n\n`visible` - the draft will visible and fully available\n`unlinked` - the draft will be rendered, but will not appear in navigation, search, or listings.\n`gone` - the draft will have no content and will not be linked to (default).\n"}},"documentation":"Book publication date"},"subtitle":{"type":"string","description":"be a string","tags":{"description":"Book subtitle"},"documentation":"Format string for dates in the book"},"author":{"_internalId":912,"type":"anyOf","anyOf":[{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Book part and chapter files"},{"_internalId":911,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":910,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":908,"type":"object","description":"be an object","properties":{},"patternProperties":{}}],"description":"be at least one of: a string, an object","tags":{"description":"Author or authors of the book"},"documentation":"Book part and chapter files"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object","tags":{"complete-from":["anyOf",0]}},"date":{"type":"string","description":"be a string","tags":{"description":"Book publication date"},"documentation":"Book appendix files"},"date-format":{"type":"string","description":"be a string","tags":{"description":"Format string for dates in the book"},"documentation":"Book references file"},"abstract":{"type":"string","description":"be a string","tags":{"description":"Book abstract"},"documentation":"Base name for single-file output (e.g. PDF, ePub, docx)"},"chapters":{"_internalId":925,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book part and chapter files"},"documentation":"Cover image (used in HTML and ePub formats)"},"appendices":{"_internalId":930,"type":"ref","$ref":"chapter-list","description":"be chapter-list","completions":[],"tags":{"hidden":true,"description":"Book appendix files"},"documentation":"Alternative text for cover image (used in HTML format)"},"references":{"type":"string","description":"be a string","tags":{"description":"Book references file"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},"output-file":{"type":"string","description":"be a string","tags":{"description":"Base name for single-file output (e.g. PDF, ePub, docx)"},"documentation":"Sharing buttons to include on navbar or sidebar (one or more of\ntwitter, facebook, linkedin)"},"cover-image":{"type":"string","description":"be a string","tags":{"description":"Cover image (used in HTML and ePub formats)"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},"cover-image-alt":{"type":"string","description":"be a string","tags":{"description":"Alternative text for cover image (used in HTML format)"},"documentation":"Download buttons for other formats to include on navbar or sidebar\n(one or more of pdf, epub, and\ndocx)"},"sharing":{"_internalId":945,"type":"anyOf","anyOf":[{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"The Digital Object Identifier for this book."},{"_internalId":944,"type":"array","description":"be an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","items":{"_internalId":943,"type":"enum","enum":["twitter","facebook","linkedin"],"description":"be one of: `twitter`, `facebook`, `linkedin`","completions":["twitter","facebook","linkedin"],"exhaustiveCompletions":true,"tags":{"description":"Sharing buttons to include on navbar or sidebar\n(one or more of `twitter`, `facebook`, `linkedin`)\n"},"documentation":"The Digital Object Identifier for this book."}}],"description":"be at least one of: one of: `twitter`, `facebook`, `linkedin`, an array of values, where each element must be one of: `twitter`, `facebook`, `linkedin`","tags":{"complete-from":["anyOf",0]}},"downloads":{"_internalId":952,"type":"anyOf","anyOf":[{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Date the item has been accessed."},{"_internalId":951,"type":"array","description":"be an array of values, where each element must be one of: `pdf`, `epub`, `docx`","items":{"_internalId":950,"type":"enum","enum":["pdf","epub","docx"],"description":"be one of: `pdf`, `epub`, `docx`","completions":["pdf","epub","docx"],"exhaustiveCompletions":true,"tags":{"description":"Download buttons for other formats to include on navbar or sidebar\n(one or more of `pdf`, `epub`, and `docx`)\n"},"documentation":"Date the item has been accessed."}}],"description":"be at least one of: one of: `pdf`, `epub`, `docx`, an array of values, where each element must be one of: `pdf`, `epub`, `docx`","tags":{"complete-from":["anyOf",0]}},"tools":{"_internalId":958,"type":"array","description":"be an array of values, where each element must be navigation-item","items":{"_internalId":957,"type":"ref","$ref":"navigation-item","description":"be navigation-item"},"tags":{"description":"Custom tools for navbar or sidebar"},"documentation":"Short markup, decoration, or annotation to the item (e.g., to\nindicate items included in a review)."},"doi":{"type":"string","description":"be a string","tags":{"formats":["$html-doc"],"description":"The Digital Object Identifier for this book."},"documentation":"Archive storing the item"},"abstract-url":{"type":"string","description":"be a string","tags":{"description":"A url to the abstract for this item."},"documentation":"Collection the item is part of within an archive."},"accessed":{"_internalId":1403,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item has been accessed."},"documentation":"Storage location within an archive (e.g. a box and folder\nnumber)."},"annote":{"type":"string","description":"be a string","tags":{"description":{"short":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review).","long":"Short markup, decoration, or annotation to the item (e.g., to indicate items included in a review);\n\nFor descriptive text (e.g., in an annotated bibliography), use `note` instead\n"}},"documentation":"Geographic location of the archive."},"archive":{"type":"string","description":"be a string","tags":{"description":"Archive storing the item"},"documentation":"Issuing or judicial authority (e.g. “USPTO” for a patent, “Fairfax\nCircuit Court” for a legal case)."},"archive-collection":{"type":"string","description":"be a string","tags":{"description":"Collection the item is part of within an archive."},"documentation":"Date the item was initially available"},"archive_collection":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-location":{"type":"string","description":"be a string","tags":{"description":"Storage location within an archive (e.g. a box and folder number)."},"documentation":"Call number (to locate the item in a library)."},"archive_location":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"archive-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the archive."},"documentation":"The person leading the session containing a presentation (e.g. the\norganizer of the container-title of a\nspeech)."},"authority":{"type":"string","description":"be a string","tags":{"description":"Issuing or judicial authority (e.g. \"USPTO\" for a patent, \"Fairfax Circuit Court\" for a legal case)."},"documentation":"Chapter number (e.g. chapter number in a book; track number on an\nalbum)."},"available-date":{"_internalId":1426,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":{"short":"Date the item was initially available","long":"Date the item was initially available (e.g. the online publication date of a journal \narticle before its formal publication date; the date a treaty was made available for signing).\n"}},"documentation":"Identifier of the item in the input data file (analogous to BiTeX\nentrykey)."},"call-number":{"type":"string","description":"be a string","tags":{"description":"Call number (to locate the item in a library)."},"documentation":"Label identifying the item in in-text citations of label styles\n(e.g. “Ferr78”)."},"chair":{"_internalId":1431,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The person leading the session containing a presentation (e.g. the organizer of the `container-title` of a `speech`)."},"documentation":"Index (starting at 1) of the cited reference in the bibliography\n(generated by the CSL processor)."},"chapter-number":{"_internalId":1434,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Chapter number (e.g. chapter number in a book; track number on an album)."},"documentation":"Editor of the collection holding the item (e.g. the series editor for\na book)."},"citation-key":{"type":"string","description":"be a string","tags":{"description":{"short":"Identifier of the item in the input data file (analogous to BiTeX entrykey).","long":"Identifier of the item in the input data file (analogous to BiTeX entrykey);\n\nUse this variable to facilitate conversion between word-processor and plain-text writing systems;\nFor an identifer intended as formatted output label for a citation \n(e.g. “Ferr78”), use `citation-label` instead\n"}},"documentation":"Number identifying the collection holding the item (e.g. the series\nnumber for a book)"},"citation-label":{"type":"string","description":"be a string","tags":{"description":{"short":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\").","long":"Label identifying the item in in-text citations of label styles (e.g. \"Ferr78\");\n\nMay be assigned by the CSL processor based on item metadata; For the identifier of the item \nin the input data file, use `citation-key` instead\n"}},"documentation":"Title of the collection holding the item (e.g. the series title for a\nbook; the lecture series title for a presentation)."},"citation-number":{"_internalId":1443,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Index (starting at 1) of the cited reference in the bibliography (generated by the CSL processor).","hidden":true},"documentation":"Person compiling or selecting material for an item from the works of\nvarious persons or bodies (e.g. for an anthology).","completions":[]},"collection-editor":{"_internalId":1446,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Editor of the collection holding the item (e.g. the series editor for a book)."},"documentation":"Composer (e.g. of a musical score)."},"collection-number":{"_internalId":1449,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the collection holding the item (e.g. the series number for a book)"},"documentation":"Author of the container holding the item (e.g. the book author for a\nbook chapter)."},"collection-title":{"type":"string","description":"be a string","tags":{"description":"Title of the collection holding the item (e.g. the series title for a book; the lecture series title for a presentation)."},"documentation":"Title of the container holding the item."},"compiler":{"_internalId":1454,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Person compiling or selecting material for an item from the works of various persons or bodies (e.g. for an anthology)."},"documentation":"Short/abbreviated form of container-title;"},"composer":{"_internalId":1457,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Composer (e.g. of a musical score)."},"documentation":"A minor contributor to the item; typically cited using “with” before\nthe name when listed in a bibliography."},"container-author":{"_internalId":1460,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the container holding the item (e.g. the book author for a book chapter)."},"documentation":"Curator of an exhibit or collection (e.g. in a museum)."},"container-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the container holding the item.","long":"Title of the container holding the item (e.g. the book title for a book chapter, \nthe journal title for a journal article; the album title for a recording; \nthe session title for multi-part presentation at a conference)\n"}},"documentation":"Physical (e.g. size) or temporal (e.g. running time) dimensions of\nthe item."},"container-title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of container-title;","hidden":true},"documentation":"Director (e.g. of a film).","completions":[]},"contributor":{"_internalId":1467,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"A minor contributor to the item; typically cited using “with” before the name when listed in a bibliography."},"documentation":"Minor subdivision of a court with a jurisdiction for a\nlegal item"},"curator":{"_internalId":1470,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Curator of an exhibit or collection (e.g. in a museum)."},"documentation":"(Container) edition holding the item (e.g. “3” when citing a chapter\nin the third edition of a book)."},"dimensions":{"type":"string","description":"be a string","tags":{"description":"Physical (e.g. size) or temporal (e.g. running time) dimensions of the item."},"documentation":"The editor of the item."},"director":{"_internalId":1475,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Director (e.g. of a film)."},"documentation":"Managing editor (“Directeur de la Publication” in French)."},"division":{"type":"string","description":"be a string","tags":{"description":"Minor subdivision of a court with a `jurisdiction` for a legal item"},"documentation":"Combined editor and translator of a work."},"DOI":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"edition":{"_internalId":1484,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"(Container) edition holding the item (e.g. \"3\" when citing a chapter in the third edition of a book)."},"documentation":"Date the event related to an item took place."},"editor":{"_internalId":1487,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"The editor of the item."},"documentation":"Name of the event related to the item (e.g. the conference name when\nciting a conference paper; the meeting where presentation was made)."},"editorial-director":{"_internalId":1490,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Managing editor (\"Directeur de la Publication\" in French)."},"documentation":"Geographic location of the event related to the item\n(e.g. “Amsterdam, The Netherlands”)."},"editor-translator":{"_internalId":1493,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"Combined editor and translator of a work.","long":"Combined editor and translator of a work.\n\nThe citation processory must be automatically generate if editor and translator variables \nare identical; May also be provided directly in item data.\n"}},"documentation":"Executive producer of the item (e.g. of a television series)."},"event":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"event-date":{"_internalId":1500,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the event related to an item took place."},"documentation":"Number of a preceding note containing the first reference to the\nitem."},"event-title":{"type":"string","description":"be a string","tags":{"description":"Name of the event related to the item (e.g. the conference name when citing a conference paper; the meeting where presentation was made)."},"documentation":"A url to the full text for this item."},"event-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the event related to the item (e.g. \"Amsterdam, The Netherlands\")."},"documentation":"Type, class, or subtype of the item"},"executive-producer":{"_internalId":1507,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Executive producer of the item (e.g. of a television series)."},"documentation":"Guest (e.g. on a TV show or podcast)."},"first-reference-note-number":{"_internalId":1512,"type":"ref","$ref":"csl-number","description":"be csl-number","completions":[],"tags":{"hidden":true,"description":{"short":"Number of a preceding note containing the first reference to the item.","long":"Number of a preceding note containing the first reference to the item\n\nAssigned by the CSL processor; Empty in non-note-based styles or when the item hasn't \nbeen cited in any preceding notes in a document\n"}},"documentation":"Host of the item (e.g. of a TV show or podcast)."},"fulltext-url":{"type":"string","description":"be a string","tags":{"description":"A url to the full text for this item."},"documentation":"A value which uniquely identifies this item."},"genre":{"type":"string","description":"be a string","tags":{"description":{"short":"Type, class, or subtype of the item","long":"Type, class, or subtype of the item (e.g. \"Doctoral dissertation\" for a PhD thesis; \"NIH Publication\" for an NIH technical report);\n\nDo not use for topical descriptions or categories (e.g. \"adventure\" for an adventure movie)\n"}},"documentation":"Illustrator (e.g. of a children’s book or graphic novel)."},"guest":{"_internalId":1519,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Guest (e.g. on a TV show or podcast)."},"documentation":"Interviewer (e.g. of an interview)."},"host":{"_internalId":1522,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Host of the item (e.g. of a TV show or podcast)."},"documentation":"International Standard Book Number (e.g. “978-3-8474-1017-1”)."},"id":{"_internalId":1529,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"type":"number","description":"be a number"}],"description":"be at least one of: a string, a number","tags":{"description":"A value which uniquely identifies this item."},"documentation":"International Standard Serial Number."},"illustrator":{"_internalId":1532,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Illustrator (e.g. of a children’s book or graphic novel)."},"documentation":"Issue number of the item or container holding the item"},"interviewer":{"_internalId":1535,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Interviewer (e.g. of an interview)."},"documentation":"Date the item was issued/published."},"isbn":{"type":"string","description":"be a string","tags":{"description":"International Standard Book Number (e.g. \"978-3-8474-1017-1\")."},"documentation":"Geographic scope of relevance (e.g. “US” for a US patent; the court\nhearing a legal case)."},"ISBN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issn":{"type":"string","description":"be a string","tags":{"description":"International Standard Serial Number."},"documentation":"Keyword(s) or tag(s) attached to the item."},"ISSN":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"issue":{"_internalId":1550,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Issue number of the item or container holding the item","long":"Issue number of the item or container holding the item (e.g. \"5\" when citing a \njournal article from journal volume 2, issue 5);\n\nUse `volume-title` for the title of the issue, if any.\n"}},"documentation":"The language of the item (used only for citation of the item)."},"issued":{"_internalId":1553,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item was issued/published."},"documentation":"The license information applicable to an item."},"jurisdiction":{"type":"string","description":"be a string","tags":{"description":"Geographic scope of relevance (e.g. \"US\" for a US patent; the court hearing a legal case)."},"documentation":"A cite-specific pinpointer within the item."},"keyword":{"type":"string","description":"be a string","tags":{"description":"Keyword(s) or tag(s) attached to the item."},"documentation":"Description of the item’s format or medium (e.g. “CD”, “DVD”,\n“Album”, etc.)"},"language":{"type":"string","description":"be a string","tags":{"description":{"short":"The language of the item (used only for citation of the item).","long":"The language of the item (used only for citation of the item).\n\nShould be entered as an ISO 639-1 two-letter language code (e.g. \"en\", \"zh\"), \noptionally with a two-letter locale code (e.g. \"de-DE\", \"de-AT\").\n\nThis does not change the language of the item, instead it documents \nwhat language the item uses (which may be used in citing the item).\n"}},"documentation":"Narrator (e.g. of an audio book)."},"license":{"type":"string","description":"be a string","tags":{"description":{"short":"The license information applicable to an item.","long":"The license information applicable to an item (e.g. the license an article \nor software is released under; the copyright information for an item; \nthe classification status of a document)\n"}},"documentation":"Descriptive text or notes about an item (e.g. in an annotated\nbibliography)."},"locator":{"_internalId":1564,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"A cite-specific pinpointer within the item.","long":"A cite-specific pinpointer within the item (e.g. a page number within a book, \nor a volume in a multi-volume work).\n\nMust be accompanied in the input data by a label indicating the locator type \n(see the Locators term list).\n"}},"documentation":"Number identifying the item (e.g. a report number)."},"medium":{"type":"string","description":"be a string","tags":{"description":"Description of the item’s format or medium (e.g. \"CD\", \"DVD\", \"Album\", etc.)"},"documentation":"Total number of pages of the cited item."},"narrator":{"_internalId":1569,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Narrator (e.g. of an audio book)."},"documentation":"Total number of volumes, used when citing multi-volume books and\nsuch."},"note":{"type":"string","description":"be a string","tags":{"description":"Descriptive text or notes about an item (e.g. in an annotated bibliography)."},"documentation":"Organizer of an event (e.g. organizer of a workshop or\nconference)."},"number":{"_internalId":1574,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Number identifying the item (e.g. a report number)."},"documentation":"The original creator of a work."},"number-of-pages":{"_internalId":1577,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of pages of the cited item."},"documentation":"Issue date of the original version."},"number-of-volumes":{"_internalId":1580,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Total number of volumes, used when citing multi-volume books and such."},"documentation":"Original publisher, for items that have been republished by a\ndifferent publisher."},"organizer":{"_internalId":1583,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Organizer of an event (e.g. organizer of a workshop or conference)."},"documentation":"Geographic location of the original publisher (e.g. “London,\nUK”)."},"original-author":{"_internalId":1586,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":{"short":"The original creator of a work.","long":"The original creator of a work (e.g. the form of the author name \nlisted on the original version of a book; the historical author of a work; \nthe original songwriter or performer for a musical piece; the original \ndeveloper or programmer for a piece of software; the original author of an \nadapted work such as a book adapted into a screenplay)\n"}},"documentation":"Title of the original version (e.g. “Война и мир”, the untranslated\nRussian title of “War and Peace”)."},"original-date":{"_internalId":1589,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Issue date of the original version."},"documentation":"Range of pages the item (e.g. a journal article) covers in a\ncontainer (e.g. a journal issue)."},"original-publisher":{"type":"string","description":"be a string","tags":{"description":"Original publisher, for items that have been republished by a different publisher."},"documentation":"First page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-publisher-place":{"type":"string","description":"be a string","tags":{"description":"Geographic location of the original publisher (e.g. \"London, UK\")."},"documentation":"Last page of the range of pages the item (e.g. a journal article)\ncovers in a container (e.g. a journal issue)."},"original-title":{"type":"string","description":"be a string","tags":{"description":"Title of the original version (e.g. \"Война и мир\", the untranslated Russian title of \"War and Peace\")."},"documentation":"Number of the specific part of the item being cited (e.g. part 2 of a\njournal article)."},"page":{"_internalId":1598,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Title of the specific part of an item being cited."},"page-first":{"_internalId":1601,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"First page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"A url to the pdf for this item."},"page-last":{"_internalId":1604,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Last page of the range of pages the item (e.g. a journal article) covers in a container (e.g. a journal issue)."},"documentation":"Performer of an item (e.g. an actor appearing in a film; a muscian\nperforming a piece of music)."},"part-number":{"_internalId":1607,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).","long":"Number of the specific part of the item being cited (e.g. part 2 of a journal article).\n\nUse `part-title` for the title of the part, if any.\n"}},"documentation":"PubMed Central reference number."},"part-title":{"type":"string","description":"be a string","tags":{"description":"Title of the specific part of an item being cited."},"documentation":"PubMed reference number."},"pdf-url":{"type":"string","description":"be a string","tags":{"description":"A url to the pdf for this item."},"documentation":"Printing number of the item or container holding the item."},"performer":{"_internalId":1614,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Performer of an item (e.g. an actor appearing in a film; a muscian performing a piece of music)."},"documentation":"Producer (e.g. of a television or radio broadcast)."},"pmcid":{"type":"string","description":"be a string","tags":{"description":"PubMed Central reference number."},"documentation":"A public url for this item."},"PMCID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"pmid":{"type":"string","description":"be a string","tags":{"description":"PubMed reference number."},"documentation":"The publisher of the item."},"PMID":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"printing-number":{"_internalId":1629,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Printing number of the item or container holding the item."},"documentation":"The geographic location of the publisher."},"producer":{"_internalId":1632,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Producer (e.g. of a television or radio broadcast)."},"documentation":"Recipient (e.g. of a letter)."},"public-url":{"type":"string","description":"be a string","tags":{"description":"A public url for this item."},"documentation":"Author of the item reviewed by the current item."},"publisher":{"type":"string","description":"be a string","tags":{"description":"The publisher of the item."},"documentation":"Type of the item being reviewed by the current item (e.g. book,\nfilm)."},"publisher-place":{"type":"string","description":"be a string","tags":{"description":"The geographic location of the publisher."},"documentation":"Title of the item reviewed by the current item."},"recipient":{"_internalId":1641,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Recipient (e.g. of a letter)."},"documentation":"Scale of e.g. a map or model."},"reviewed-author":{"_internalId":1644,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Author of the item reviewed by the current item."},"documentation":"Writer of a script or screenplay (e.g. of a film)."},"reviewed-genre":{"type":"string","description":"be a string","tags":{"description":"Type of the item being reviewed by the current item (e.g. book, film)."},"documentation":"Section of the item or container holding the item (e.g. “§2.0.1” for\na law; “politics” for a newspaper article)."},"reviewed-title":{"type":"string","description":"be a string","tags":{"description":"Title of the item reviewed by the current item."},"documentation":"Creator of a series (e.g. of a television series)."},"scale":{"type":"string","description":"be a string","tags":{"description":"Scale of e.g. a map or model."},"documentation":"Source from whence the item originates (e.g. a library catalog or\ndatabase)."},"script-writer":{"_internalId":1653,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Writer of a script or screenplay (e.g. of a film)."},"documentation":"Publication status of the item (e.g. “forthcoming”; “in press”;\n“advance online publication”; “retracted”)"},"section":{"_internalId":1656,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Section of the item or container holding the item (e.g. \"§2.0.1\" for a law; \"politics\" for a newspaper article)."},"documentation":"Date the item (e.g. a manuscript) was submitted for publication."},"series-creator":{"_internalId":1659,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Creator of a series (e.g. of a television series)."},"documentation":"Supplement number of the item or container holding the item (e.g. for\nsecondary legal items that are regularly updated between editions)."},"source":{"type":"string","description":"be a string","tags":{"description":"Source from whence the item originates (e.g. a library catalog or database)."},"documentation":"Short/abbreviated form oftitle."},"status":{"type":"string","description":"be a string","tags":{"description":"Publication status of the item (e.g. \"forthcoming\"; \"in press\"; \"advance online publication\"; \"retracted\")"},"documentation":"Translator"},"submitted":{"_internalId":1666,"type":"ref","$ref":"csl-date","description":"be csl-date","tags":{"description":"Date the item (e.g. a manuscript) was submitted for publication."},"documentation":"The type\nof the item."},"supplement-number":{"_internalId":1669,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Supplement number of the item or container holding the item (e.g. for secondary legal items that are regularly updated between editions)."},"documentation":"Uniform Resource Locator\n(e.g. “https://aem.asm.org/cgi/content/full/74/9/2766”)"},"title-short":{"type":"string","description":"be a string","tags":{"description":"Short/abbreviated form of`title`.","hidden":true},"documentation":"Version of the item (e.g. “2.0.9” for a software program).","completions":[]},"translator":{"_internalId":1674,"type":"ref","$ref":"csl-person","description":"be csl-person","tags":{"description":"Translator"},"documentation":"Volume number of the item (e.g. “2” when citing volume 2 of a book)\nor the container holding the item."},"type":{"_internalId":1677,"type":"enum","enum":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"description":"be one of: `article`, `article-journal`, `article-magazine`, `article-newspaper`, `bill`, `book`, `broadcast`, `chapter`, `classic`, `collection`, `dataset`, `document`, `entry`, `entry-dictionary`, `entry-encyclopedia`, `event`, `figure`, `graphic`, `hearing`, `interview`, `legal_case`, `legislation`, `manuscript`, `map`, `motion_picture`, `musical_score`, `pamphlet`, `paper-conference`, `patent`, `performance`, `periodical`, `personal_communication`, `post`, `post-weblog`, `regulation`, `report`, `review`, `review-book`, `software`, `song`, `speech`, `standard`, `thesis`, `treaty`, `webpage`","completions":["article","article-journal","article-magazine","article-newspaper","bill","book","broadcast","chapter","classic","collection","dataset","document","entry","entry-dictionary","entry-encyclopedia","event","figure","graphic","hearing","interview","legal_case","legislation","manuscript","map","motion_picture","musical_score","pamphlet","paper-conference","patent","performance","periodical","personal_communication","post","post-weblog","regulation","report","review","review-book","software","song","speech","standard","thesis","treaty","webpage"],"exhaustiveCompletions":true,"tags":{"description":"The [type](https://docs.citationstyles.org/en/stable/specification.html#appendix-iii-types) of the item."},"documentation":"Title of the volume of the item or container holding the item."},"url":{"type":"string","description":"be a string","tags":{"description":"Uniform Resource Locator (e.g. \"https://aem.asm.org/cgi/content/full/74/9/2766\")"},"documentation":"Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”)."},"URL":{"type":"string","description":"be a string","completions":[],"tags":{"hidden":true}},"version":{"_internalId":1686,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":"Version of the item (e.g. \"2.0.9\" for a software program)."},"documentation":"Manuscript configuration"},"volume":{"_internalId":1689,"type":"ref","$ref":"csl-number","description":"be csl-number","tags":{"description":{"short":"Volume number of the item (e.g. “2” when citing volume 2 of a book) or the container holding the item.","long":"Volume number of the item (e.g. \"2\" when citing volume 2 of a book) or the container holding the \nitem (e.g. \"2\" when citing a chapter from volume 2 of a book).\n\nUse `volume-title` for the title of the volume, if any.\n"}},"documentation":"internal-schema-hack"},"volume-title":{"type":"string","description":"be a string","tags":{"description":{"short":"Title of the volume of the item or container holding the item.","long":"Title of the volume of the item or container holding the item.\n\nAlso use for titles of periodical special issues, special sections, and the like.\n"}},"documentation":"List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’."},"year-suffix":{"type":"string","description":"be a string","tags":{"description":"Disambiguating year suffix in author-date styles (e.g. \"a\" in \"Doe, 1999a\")."},"documentation":"When defined, run axe-core accessibility tests on the document."}},"patternProperties":{},"closed":true,"tags":{"case-convention":["dash-case","underscore_case","capitalizationCase"],"error-importance":-5,"case-detection":true,"description":"Book configuration."},"documentation":"Base URL for published website"},"manuscript":{"_internalId":191775,"type":"ref","$ref":"manuscript-schema","description":"be manuscript-schema","documentation":"Manuscript configuration","tags":{"description":"Manuscript configuration"}},"type":{"_internalId":191778,"type":"enum","enum":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"description":"be 'cd93424f-d5ba-4e95-91c6-1890eab59fc7'","completions":["cd93424f-d5ba-4e95-91c6-1890eab59fc7"],"exhaustiveCompletions":true,"documentation":"internal-schema-hack","tags":{"description":"internal-schema-hack","hidden":true}},"engines":{"_internalId":191783,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"},"documentation":"List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'.","tags":{"description":"List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'."}}},"patternProperties":{},"$id":"project-config-fields"},"project-config":{"_internalId":191815,"type":"allOf","allOf":[{"_internalId":191813,"type":"object","description":"be a Quarto YAML front matter object","properties":{"execute":{"_internalId":191810,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},"format":{"_internalId":191811,"type":"ref","$ref":"front-matter-format","description":"be at least one of: the name of a pandoc-supported output format, an object, all of: an object"},"profile":{"_internalId":191812,"type":"ref","$ref":"project-profile","description":"Specify a default profile and profile groups"}},"patternProperties":{}},{"_internalId":191810,"type":"ref","$ref":"front-matter-execute","description":"be a front-matter-execute object"},{"_internalId":191814,"type":"ref","$ref":"front-matter","description":"be at least one of: the null value, all of: a Quarto YAML front matter object, an object, a front-matter-execute object, ref"},{"_internalId":191785,"type":"ref","$ref":"project-config-fields","description":"be an object"}],"description":"be a project configuration object","$id":"project-config"},"engine-markdown":{"_internalId":191863,"type":"object","description":"be an object","properties":{"label":{"_internalId":191817,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191818,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191819,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"title":{"_internalId":191820,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191821,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191822,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191823,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191824,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"content":{"_internalId":191825,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191826,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191827,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191828,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191829,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191830,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191831,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191832,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":191833,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":191834,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"fig-cap":{"_internalId":191835,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":191836,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":191837,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":191838,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":191839,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":191840,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191841,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":191842,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"layout":{"_internalId":191843,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":191844,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":191845,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":191846,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":191847,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":191848,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":191849,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":191850,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":191851,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191852,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191853,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":191854,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":191855,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"html-table-processing":{"_internalId":191856,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":191857,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191858,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191859,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191860,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":191861,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":191862,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,title,padding,expandable,width,height,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,html-table-processing,output,warning,error,include,panel,output-location","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-markdown"},"engine-knitr":{"_internalId":191958,"type":"object","description":"be an object","properties":{"label":{"_internalId":191865,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191866,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191867,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"cache":{"_internalId":191868,"type":"ref","$ref":"quarto-resource-cell-cache-cache","description":"quarto-resource-cell-cache-cache"},"cache-path":{"_internalId":191869,"type":"ref","$ref":"quarto-resource-cell-cache-cache-path","description":"quarto-resource-cell-cache-cache-path"},"cache-vars":{"_internalId":191870,"type":"ref","$ref":"quarto-resource-cell-cache-cache-vars","description":"quarto-resource-cell-cache-cache-vars"},"cache-globals":{"_internalId":191871,"type":"ref","$ref":"quarto-resource-cell-cache-cache-globals","description":"quarto-resource-cell-cache-cache-globals"},"cache-lazy":{"_internalId":191872,"type":"ref","$ref":"quarto-resource-cell-cache-cache-lazy","description":"quarto-resource-cell-cache-cache-lazy"},"cache-rebuild":{"_internalId":191873,"type":"ref","$ref":"quarto-resource-cell-cache-cache-rebuild","description":"quarto-resource-cell-cache-cache-rebuild"},"cache-comments":{"_internalId":191874,"type":"ref","$ref":"quarto-resource-cell-cache-cache-comments","description":"quarto-resource-cell-cache-cache-comments"},"dependson":{"_internalId":191875,"type":"ref","$ref":"quarto-resource-cell-cache-dependson","description":"quarto-resource-cell-cache-dependson"},"autodep":{"_internalId":191876,"type":"ref","$ref":"quarto-resource-cell-cache-autodep","description":"quarto-resource-cell-cache-autodep"},"title":{"_internalId":191877,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191878,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191879,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191880,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191881,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"content":{"_internalId":191882,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191883,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191884,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191885,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191886,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191887,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191888,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191889,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":191890,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":191891,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"tidy":{"_internalId":191892,"type":"ref","$ref":"quarto-resource-cell-codeoutput-tidy","description":"quarto-resource-cell-codeoutput-tidy"},"tidy-opts":{"_internalId":191893,"type":"ref","$ref":"quarto-resource-cell-codeoutput-tidy-opts","description":"quarto-resource-cell-codeoutput-tidy-opts"},"collapse":{"_internalId":191894,"type":"ref","$ref":"quarto-resource-cell-codeoutput-collapse","description":"quarto-resource-cell-codeoutput-collapse"},"prompt":{"_internalId":191895,"type":"ref","$ref":"quarto-resource-cell-codeoutput-prompt","description":"quarto-resource-cell-codeoutput-prompt"},"highlight":{"_internalId":191896,"type":"ref","$ref":"quarto-resource-cell-codeoutput-highlight","description":"quarto-resource-cell-codeoutput-highlight"},"class-source":{"_internalId":191897,"type":"ref","$ref":"quarto-resource-cell-codeoutput-class-source","description":"quarto-resource-cell-codeoutput-class-source"},"attr-source":{"_internalId":191898,"type":"ref","$ref":"quarto-resource-cell-codeoutput-attr-source","description":"quarto-resource-cell-codeoutput-attr-source"},"fig-width":{"_internalId":191899,"type":"ref","$ref":"quarto-resource-cell-figure-fig-width","description":"quarto-resource-cell-figure-fig-width"},"fig-height":{"_internalId":191900,"type":"ref","$ref":"quarto-resource-cell-figure-fig-height","description":"quarto-resource-cell-figure-fig-height"},"fig-cap":{"_internalId":191901,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":191902,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":191903,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":191904,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":191905,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":191906,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191907,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":191908,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"fig-format":{"_internalId":191909,"type":"ref","$ref":"quarto-resource-cell-figure-fig-format","description":"quarto-resource-cell-figure-fig-format"},"fig-dpi":{"_internalId":191910,"type":"ref","$ref":"quarto-resource-cell-figure-fig-dpi","description":"quarto-resource-cell-figure-fig-dpi"},"fig-asp":{"_internalId":191911,"type":"ref","$ref":"quarto-resource-cell-figure-fig-asp","description":"quarto-resource-cell-figure-fig-asp"},"out-width":{"_internalId":191912,"type":"ref","$ref":"quarto-resource-cell-figure-out-width","description":"quarto-resource-cell-figure-out-width"},"out-height":{"_internalId":191913,"type":"ref","$ref":"quarto-resource-cell-figure-out-height","description":"quarto-resource-cell-figure-out-height"},"fig-keep":{"_internalId":191914,"type":"ref","$ref":"quarto-resource-cell-figure-fig-keep","description":"quarto-resource-cell-figure-fig-keep"},"fig-show":{"_internalId":191915,"type":"ref","$ref":"quarto-resource-cell-figure-fig-show","description":"quarto-resource-cell-figure-fig-show"},"out-extra":{"_internalId":191916,"type":"ref","$ref":"quarto-resource-cell-figure-out-extra","description":"quarto-resource-cell-figure-out-extra"},"external":{"_internalId":191917,"type":"ref","$ref":"quarto-resource-cell-figure-external","description":"quarto-resource-cell-figure-external"},"sanitize":{"_internalId":191918,"type":"ref","$ref":"quarto-resource-cell-figure-sanitize","description":"quarto-resource-cell-figure-sanitize"},"interval":{"_internalId":191919,"type":"ref","$ref":"quarto-resource-cell-figure-interval","description":"quarto-resource-cell-figure-interval"},"aniopts":{"_internalId":191920,"type":"ref","$ref":"quarto-resource-cell-figure-aniopts","description":"quarto-resource-cell-figure-aniopts"},"animation-hook":{"_internalId":191921,"type":"ref","$ref":"quarto-resource-cell-figure-animation-hook","description":"quarto-resource-cell-figure-animation-hook"},"child":{"_internalId":191922,"type":"ref","$ref":"quarto-resource-cell-include-child","description":"quarto-resource-cell-include-child"},"file":{"_internalId":191923,"type":"ref","$ref":"quarto-resource-cell-include-file","description":"quarto-resource-cell-include-file"},"code":{"_internalId":191924,"type":"ref","$ref":"quarto-resource-cell-include-code","description":"quarto-resource-cell-include-code"},"purl":{"_internalId":191925,"type":"ref","$ref":"quarto-resource-cell-include-purl","description":"quarto-resource-cell-include-purl"},"layout":{"_internalId":191926,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":191927,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":191928,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":191929,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":191930,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":191931,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":191932,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":191933,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":191934,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191935,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":191936,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":191937,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":191938,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"tbl-colwidths":{"_internalId":191939,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"html-table-processing":{"_internalId":191940,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":191941,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":191942,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":191943,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":191944,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":191945,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":191946,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"},"message":{"_internalId":191947,"type":"ref","$ref":"quarto-resource-cell-textoutput-message","description":"quarto-resource-cell-textoutput-message"},"results":{"_internalId":191948,"type":"ref","$ref":"quarto-resource-cell-textoutput-results","description":"quarto-resource-cell-textoutput-results"},"comment":{"_internalId":191949,"type":"ref","$ref":"quarto-resource-cell-textoutput-comment","description":"quarto-resource-cell-textoutput-comment"},"class-output":{"_internalId":191950,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-output","description":"quarto-resource-cell-textoutput-class-output"},"attr-output":{"_internalId":191951,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-output","description":"quarto-resource-cell-textoutput-attr-output"},"class-warning":{"_internalId":191952,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-warning","description":"quarto-resource-cell-textoutput-class-warning"},"attr-warning":{"_internalId":191953,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-warning","description":"quarto-resource-cell-textoutput-attr-warning"},"class-message":{"_internalId":191954,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-message","description":"quarto-resource-cell-textoutput-class-message"},"attr-message":{"_internalId":191955,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-message","description":"quarto-resource-cell-textoutput-attr-message"},"class-error":{"_internalId":191956,"type":"ref","$ref":"quarto-resource-cell-textoutput-class-error","description":"quarto-resource-cell-textoutput-class-error"},"attr-error":{"_internalId":191957,"type":"ref","$ref":"quarto-resource-cell-textoutput-attr-error","description":"quarto-resource-cell-textoutput-attr-error"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,cache,cache-path,cache-vars,cache-globals,cache-lazy,cache-rebuild,cache-comments,dependson,autodep,title,padding,expandable,width,height,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,tidy,tidy-opts,collapse,prompt,highlight,class-source,attr-source,fig-width,fig-height,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,fig-format,fig-dpi,fig-asp,out-width,out-height,fig-keep,fig-show,out-extra,external,sanitize,interval,aniopts,animation-hook,child,file,code,purl,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,tbl-colwidths,html-table-processing,output,warning,error,include,panel,output-location,message,results,comment,class-output,attr-output,class-warning,attr-warning,class-message,attr-message,class-error,attr-error","type":"string","pattern":"(?!(^cache_path$|^cachePath$|^cache_vars$|^cacheVars$|^cache_globals$|^cacheGlobals$|^cache_lazy$|^cacheLazy$|^cache_rebuild$|^cacheRebuild$|^cache_comments$|^cacheComments$|^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^tidy_opts$|^tidyOpts$|^class_source$|^classSource$|^attr_source$|^attrSource$|^fig_width$|^figWidth$|^fig_height$|^figHeight$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^fig_format$|^figFormat$|^fig_dpi$|^figDpi$|^fig_asp$|^figAsp$|^out_width$|^outWidth$|^out_height$|^outHeight$|^fig_keep$|^figKeep$|^fig_show$|^figShow$|^out_extra$|^outExtra$|^animation_hook$|^animationHook$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^tbl_colwidths$|^tblColwidths$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$|^class_output$|^classOutput$|^attr_output$|^attrOutput$|^class_warning$|^classWarning$|^attr_warning$|^attrWarning$|^class_message$|^classMessage$|^attr_message$|^attrMessage$|^class_error$|^classError$|^attr_error$|^attrError$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-knitr"},"engine-jupyter":{"_internalId":192011,"type":"object","description":"be an object","properties":{"label":{"_internalId":191960,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":191961,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":191962,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"tags":{"_internalId":191963,"type":"ref","$ref":"quarto-resource-cell-attributes-tags","description":"quarto-resource-cell-attributes-tags"},"id":{"_internalId":191964,"type":"ref","$ref":"quarto-resource-cell-attributes-id","description":"quarto-resource-cell-attributes-id"},"export":{"_internalId":191965,"type":"ref","$ref":"quarto-resource-cell-attributes-export","description":"quarto-resource-cell-attributes-export"},"title":{"_internalId":191966,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":191967,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":191968,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":191969,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":191970,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"context":{"_internalId":191971,"type":"ref","$ref":"quarto-resource-cell-card-context","description":"quarto-resource-cell-card-context"},"content":{"_internalId":191972,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":191973,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":191974,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":191975,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":191976,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":191977,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":191978,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":191979,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":191980,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":191981,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"fig-cap":{"_internalId":191982,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":191983,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":191984,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":191985,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":191986,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":191987,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":191988,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":191989,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"layout":{"_internalId":191990,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":191991,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":191992,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":191993,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":191994,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":191995,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":191996,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":191997,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":191998,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":191999,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":192000,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":192001,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":192002,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"tbl-colwidths":{"_internalId":192003,"type":"ref","$ref":"quarto-resource-cell-table-tbl-colwidths","description":"quarto-resource-cell-table-tbl-colwidths"},"html-table-processing":{"_internalId":192004,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":192005,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":192006,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":192007,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":192008,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":192009,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":192010,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,tags,id,export,title,padding,expandable,width,height,context,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,tbl-colwidths,html-table-processing,output,warning,error,include,panel,output-location","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^tbl_colwidths$|^tblColwidths$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-jupyter"},"engine-julia":{"_internalId":192059,"type":"object","description":"be an object","properties":{"label":{"_internalId":192013,"type":"ref","$ref":"quarto-resource-cell-attributes-label","description":"quarto-resource-cell-attributes-label"},"classes":{"_internalId":192014,"type":"ref","$ref":"quarto-resource-cell-attributes-classes","description":"quarto-resource-cell-attributes-classes"},"renderings":{"_internalId":192015,"type":"ref","$ref":"quarto-resource-cell-attributes-renderings","description":"quarto-resource-cell-attributes-renderings"},"title":{"_internalId":192016,"type":"ref","$ref":"quarto-resource-cell-card-title","description":"quarto-resource-cell-card-title"},"padding":{"_internalId":192017,"type":"ref","$ref":"quarto-resource-cell-card-padding","description":"quarto-resource-cell-card-padding"},"expandable":{"_internalId":192018,"type":"ref","$ref":"quarto-resource-cell-card-expandable","description":"quarto-resource-cell-card-expandable"},"width":{"_internalId":192019,"type":"ref","$ref":"quarto-resource-cell-card-width","description":"quarto-resource-cell-card-width"},"height":{"_internalId":192020,"type":"ref","$ref":"quarto-resource-cell-card-height","description":"quarto-resource-cell-card-height"},"content":{"_internalId":192021,"type":"ref","$ref":"quarto-resource-cell-card-content","description":"quarto-resource-cell-card-content"},"color":{"_internalId":192022,"type":"ref","$ref":"quarto-resource-cell-card-color","description":"quarto-resource-cell-card-color"},"eval":{"_internalId":192023,"type":"ref","$ref":"quarto-resource-cell-codeoutput-eval","description":"quarto-resource-cell-codeoutput-eval"},"echo":{"_internalId":192024,"type":"ref","$ref":"quarto-resource-cell-codeoutput-echo","description":"quarto-resource-cell-codeoutput-echo"},"code-fold":{"_internalId":192025,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-fold","description":"quarto-resource-cell-codeoutput-code-fold"},"code-summary":{"_internalId":192026,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-summary","description":"quarto-resource-cell-codeoutput-code-summary"},"code-overflow":{"_internalId":192027,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-overflow","description":"quarto-resource-cell-codeoutput-code-overflow"},"code-line-numbers":{"_internalId":192028,"type":"ref","$ref":"quarto-resource-cell-codeoutput-code-line-numbers","description":"quarto-resource-cell-codeoutput-code-line-numbers"},"lst-label":{"_internalId":192029,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-label","description":"quarto-resource-cell-codeoutput-lst-label"},"lst-cap":{"_internalId":192030,"type":"ref","$ref":"quarto-resource-cell-codeoutput-lst-cap","description":"quarto-resource-cell-codeoutput-lst-cap"},"fig-cap":{"_internalId":192031,"type":"ref","$ref":"quarto-resource-cell-figure-fig-cap","description":"quarto-resource-cell-figure-fig-cap"},"fig-subcap":{"_internalId":192032,"type":"ref","$ref":"quarto-resource-cell-figure-fig-subcap","description":"quarto-resource-cell-figure-fig-subcap"},"fig-link":{"_internalId":192033,"type":"ref","$ref":"quarto-resource-cell-figure-fig-link","description":"quarto-resource-cell-figure-fig-link"},"fig-align":{"_internalId":192034,"type":"ref","$ref":"quarto-resource-cell-figure-fig-align","description":"quarto-resource-cell-figure-fig-align"},"fig-alt":{"_internalId":192035,"type":"ref","$ref":"quarto-resource-cell-figure-fig-alt","description":"quarto-resource-cell-figure-fig-alt"},"fig-env":{"_internalId":192036,"type":"ref","$ref":"quarto-resource-cell-figure-fig-env","description":"quarto-resource-cell-figure-fig-env"},"fig-pos":{"_internalId":192037,"type":"ref","$ref":"quarto-resource-cell-figure-fig-pos","description":"quarto-resource-cell-figure-fig-pos"},"fig-scap":{"_internalId":192038,"type":"ref","$ref":"quarto-resource-cell-figure-fig-scap","description":"quarto-resource-cell-figure-fig-scap"},"layout":{"_internalId":192039,"type":"ref","$ref":"quarto-resource-cell-layout-layout","description":"quarto-resource-cell-layout-layout"},"layout-ncol":{"_internalId":192040,"type":"ref","$ref":"quarto-resource-cell-layout-layout-ncol","description":"quarto-resource-cell-layout-layout-ncol"},"layout-nrow":{"_internalId":192041,"type":"ref","$ref":"quarto-resource-cell-layout-layout-nrow","description":"quarto-resource-cell-layout-layout-nrow"},"layout-align":{"_internalId":192042,"type":"ref","$ref":"quarto-resource-cell-layout-layout-align","description":"quarto-resource-cell-layout-layout-align"},"layout-valign":{"_internalId":192043,"type":"ref","$ref":"quarto-resource-cell-layout-layout-valign","description":"quarto-resource-cell-layout-layout-valign"},"column":{"_internalId":192044,"type":"ref","$ref":"quarto-resource-cell-pagelayout-column","description":"quarto-resource-cell-pagelayout-column"},"fig-column":{"_internalId":192045,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-column","description":"quarto-resource-cell-pagelayout-fig-column"},"tbl-column":{"_internalId":192046,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-column","description":"quarto-resource-cell-pagelayout-tbl-column"},"cap-location":{"_internalId":192047,"type":"ref","$ref":"quarto-resource-cell-pagelayout-cap-location","description":"quarto-resource-cell-pagelayout-cap-location"},"fig-cap-location":{"_internalId":192048,"type":"ref","$ref":"quarto-resource-cell-pagelayout-fig-cap-location","description":"quarto-resource-cell-pagelayout-fig-cap-location"},"tbl-cap-location":{"_internalId":192049,"type":"ref","$ref":"quarto-resource-cell-pagelayout-tbl-cap-location","description":"quarto-resource-cell-pagelayout-tbl-cap-location"},"tbl-cap":{"_internalId":192050,"type":"ref","$ref":"quarto-resource-cell-table-tbl-cap","description":"quarto-resource-cell-table-tbl-cap"},"tbl-subcap":{"_internalId":192051,"type":"ref","$ref":"quarto-resource-cell-table-tbl-subcap","description":"quarto-resource-cell-table-tbl-subcap"},"html-table-processing":{"_internalId":192052,"type":"ref","$ref":"quarto-resource-cell-table-html-table-processing","description":"quarto-resource-cell-table-html-table-processing"},"output":{"_internalId":192053,"type":"ref","$ref":"quarto-resource-cell-textoutput-output","description":"quarto-resource-cell-textoutput-output"},"warning":{"_internalId":192054,"type":"ref","$ref":"quarto-resource-cell-textoutput-warning","description":"quarto-resource-cell-textoutput-warning"},"error":{"_internalId":192055,"type":"ref","$ref":"quarto-resource-cell-textoutput-error","description":"quarto-resource-cell-textoutput-error"},"include":{"_internalId":192056,"type":"ref","$ref":"quarto-resource-cell-textoutput-include","description":"quarto-resource-cell-textoutput-include"},"panel":{"_internalId":192057,"type":"ref","$ref":"quarto-resource-cell-textoutput-panel","description":"quarto-resource-cell-textoutput-panel"},"output-location":{"_internalId":192058,"type":"ref","$ref":"quarto-resource-cell-textoutput-output-location","description":"quarto-resource-cell-textoutput-output-location"}},"patternProperties":{},"propertyNames":{"errorMessage":"property ${value} does not match case convention label,classes,renderings,title,padding,expandable,width,height,content,color,eval,echo,code-fold,code-summary,code-overflow,code-line-numbers,lst-label,lst-cap,fig-cap,fig-subcap,fig-link,fig-align,fig-alt,fig-env,fig-pos,fig-scap,layout,layout-ncol,layout-nrow,layout-align,layout-valign,column,fig-column,tbl-column,cap-location,fig-cap-location,tbl-cap-location,tbl-cap,tbl-subcap,html-table-processing,output,warning,error,include,panel,output-location","type":"string","pattern":"(?!(^code_fold$|^codeFold$|^code_summary$|^codeSummary$|^code_overflow$|^codeOverflow$|^code_line_numbers$|^codeLineNumbers$|^lst_label$|^lstLabel$|^lst_cap$|^lstCap$|^fig_cap$|^figCap$|^fig_subcap$|^figSubcap$|^fig_link$|^figLink$|^fig_align$|^figAlign$|^fig_alt$|^figAlt$|^fig_env$|^figEnv$|^fig_pos$|^figPos$|^fig_scap$|^figScap$|^layout_ncol$|^layoutNcol$|^layout_nrow$|^layoutNrow$|^layout_align$|^layoutAlign$|^layout_valign$|^layoutValign$|^fig_column$|^figColumn$|^tbl_column$|^tblColumn$|^cap_location$|^capLocation$|^fig_cap_location$|^figCapLocation$|^tbl_cap_location$|^tblCapLocation$|^tbl_cap$|^tblCap$|^tbl_subcap$|^tblSubcap$|^html_table_processing$|^htmlTableProcessing$|^output_location$|^outputLocation$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"engine-julia"},"plugin-reveal":{"_internalId":7,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"name":{"type":"string","description":"be a string"},"register":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true},"script":{"_internalId":4,"type":"anyOf","anyOf":[{"_internalId":2,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"async":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["path"]}],"description":"be at least one of: a string, an object"},{"_internalId":3,"type":"array","description":"be an array of values, where each element must be at least one of: a string, an object","items":{"_internalId":2,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":1,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string"},"async":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["path"]}],"description":"be at least one of: a string, an object"}}],"description":"be at least one of: at least one of: a string, an object, an array of values, where each element must be at least one of: a string, an object"},"stylesheet":{"_internalId":6,"type":"anyOf","anyOf":[{"type":"string","description":"be a string"},{"_internalId":5,"type":"array","description":"be an array of values, where each element must be a string","items":{"type":"string","description":"be a string"}}],"description":"be at least one of: a string, an array of values, where each element must be a string"},"self-contained":{"type":"boolean","description":"be `true` or `false`","completions":["true","false"],"exhaustiveCompletions":true}},"patternProperties":{},"required":["name"],"propertyNames":{"errorMessage":"property ${value} does not match case convention path,name,register,script,stylesheet,self-contained","type":"string","pattern":"(?!(^self_contained$|^selfContained$))","tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true}},"tags":{"case-convention":["dash-case"],"error-importance":-5,"case-detection":true},"$id":"plugin-reveal"},"external-engine":{"_internalId":192252,"type":"object","description":"be an object","properties":{"path":{"type":"string","description":"be a string","tags":{"description":"Path to the TypeScript module for the execution engine"},"documentation":"Path to the TypeScript module for the execution engine"}},"patternProperties":{},"required":["path"],"closed":true,"tags":{"description":"An execution engine not pre-loaded in Quarto"},"documentation":"An execution engine not pre-loaded in Quarto","$id":"external-engine"}} \ No newline at end of file diff --git a/src/resources/editor/tools/yaml/web-worker.js b/src/resources/editor/tools/yaml/web-worker.js index d04267a8287..f305eba8877 100644 --- a/src/resources/editor/tools/yaml/web-worker.js +++ b/src/resources/editor/tools/yaml/web-worker.js @@ -8725,6 +8725,25 @@ try { ] } }, + { + id: "external-engine", + schema: { + object: { + closed: true, + properties: { + path: { + path: { + description: "Path to the TypeScript module for the execution engine" + } + } + }, + required: [ + "path" + ] + }, + description: "An execution engine not pre-loaded in Quarto" + } + }, { id: "document-comments-configuration", anyOf: [ @@ -20201,6 +20220,16 @@ try { }, formats: { schema: "object" + }, + engines: { + arrayOf: { + anyOf: [ + "string", + { + ref: "external-engine" + } + ] + } } } } @@ -20639,7 +20668,14 @@ try { { name: "engines", schema: { - arrayOf: "string" + arrayOf: { + anyOf: [ + "string", + { + ref: "external-engine" + } + ] + } }, description: "List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'." } @@ -22561,6 +22597,10 @@ try { "Specify a default profile and profile groups", "Default profile to apply if QUARTO_PROFILE is not defined.", "Define a profile group for which at least one profile is always\nactive.", + "Control when tests should run", + "Run tests on CI (true = run, false = skip)", + "Run tests ONLY on these platforms (whitelist)", + "Don\u2019t run tests on these platforms (blacklist)", "The path to the locally referenced notebook.", "The title of the notebook when viewed.", "The url to use when viewing this notebook.", @@ -24809,7 +24849,9 @@ try { "Disambiguating year suffix in author-date styles (e.g. \u201Ca\u201D in \u201CDoe,\n1999a\u201D).", "Manuscript configuration", "internal-schema-hack", - "List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto\u2019s default order\nis \u2018knitr\u2019, \u2018jupyter\u2019, \u2018markdown\u2019, \u2018julia\u2019." + "List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto\u2019s default order\nis \u2018knitr\u2019, \u2018jupyter\u2019, \u2018markdown\u2019, \u2018julia\u2019.", + "An execution engine not pre-loaded in Quarto", + "Path to the TypeScript module for the execution engine" ], "schema/external-schemas.yml": [ { @@ -25038,12 +25080,12 @@ try { mermaid: "%%" }, "handlers/mermaid/schema.yml": { - _internalId: 197523, + _internalId: 197564, type: "object", description: "be an object", properties: { "mermaid-format": { - _internalId: 197515, + _internalId: 197556, type: "enum", enum: [ "png", @@ -25059,7 +25101,7 @@ try { exhaustiveCompletions: true }, theme: { - _internalId: 197522, + _internalId: 197563, type: "anyOf", anyOf: [ { diff --git a/src/resources/editor/tools/yaml/yaml-intelligence-resources.json b/src/resources/editor/tools/yaml/yaml-intelligence-resources.json index 344806ac739..a6711811c9d 100644 --- a/src/resources/editor/tools/yaml/yaml-intelligence-resources.json +++ b/src/resources/editor/tools/yaml/yaml-intelligence-resources.json @@ -1696,6 +1696,25 @@ ] } }, + { + "id": "external-engine", + "schema": { + "object": { + "closed": true, + "properties": { + "path": { + "path": { + "description": "Path to the TypeScript module for the execution engine" + } + } + }, + "required": [ + "path" + ] + }, + "description": "An execution engine not pre-loaded in Quarto" + } + }, { "id": "document-comments-configuration", "anyOf": [ @@ -13172,6 +13191,16 @@ }, "formats": { "schema": "object" + }, + "engines": { + "arrayOf": { + "anyOf": [ + "string", + { + "ref": "external-engine" + } + ] + } } } } @@ -13610,7 +13639,14 @@ { "name": "engines", "schema": { - "arrayOf": "string" + "arrayOf": { + "anyOf": [ + "string", + { + "ref": "external-engine" + } + ] + } }, "description": "List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'." } @@ -15532,6 +15568,10 @@ "Specify a default profile and profile groups", "Default profile to apply if QUARTO_PROFILE is not defined.", "Define a profile group for which at least one profile is always\nactive.", + "Control when tests should run", + "Run tests on CI (true = run, false = skip)", + "Run tests ONLY on these platforms (whitelist)", + "Don’t run tests on these platforms (blacklist)", "The path to the locally referenced notebook.", "The title of the notebook when viewed.", "The url to use when viewing this notebook.", @@ -17780,7 +17820,9 @@ "Disambiguating year suffix in author-date styles (e.g. “a” in “Doe,\n1999a”).", "Manuscript configuration", "internal-schema-hack", - "List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’." + "List execution engines you want to give priority when determining\nwhich engine should render a notebook. If two engines have support for a\nnotebook, the one listed earlier will be chosen. Quarto’s default order\nis ‘knitr’, ‘jupyter’, ‘markdown’, ‘julia’.", + "An execution engine not pre-loaded in Quarto", + "Path to the TypeScript module for the execution engine" ], "schema/external-schemas.yml": [ { @@ -18009,12 +18051,12 @@ "mermaid": "%%" }, "handlers/mermaid/schema.yml": { - "_internalId": 197523, + "_internalId": 197564, "type": "object", "description": "be an object", "properties": { "mermaid-format": { - "_internalId": 197515, + "_internalId": 197556, "type": "enum", "enum": [ "png", @@ -18030,7 +18072,7 @@ "exhaustiveCompletions": true }, "theme": { - "_internalId": 197522, + "_internalId": 197563, "type": "anyOf", "anyOf": [ { diff --git a/src/resources/extension-build/README.md b/src/resources/extension-build/README.md new file mode 100644 index 00000000000..86ff288fc00 --- /dev/null +++ b/src/resources/extension-build/README.md @@ -0,0 +1,27 @@ +# Extension Build Resources + +This directory contains default configuration files for TypeScript execution engine extensions. + +## Files + +- **deno.json** - Default TypeScript compiler configuration +- **import-map.json** - Import mappings for @quarto/types and Deno standard library +- **quarto-types.d.ts** - Type definitions (copied from packages/quarto-types/dist/ during packaging) + +## Usage + +These files are used by `quarto dev-call build-ts-extension` when a user project doesn't have its own `deno.json`. + +**Dev mode:** Accessed via `resourcePath("extension-build/")` +- `import-map.json` points to `../../../packages/quarto-types/dist/index.d.ts` +- This relative path works from `src/resources/extension-build/` + +**Distribution mode:** Copied to `share/extension-build/` during packaging +- `import-map.json` is transformed by `updateImportMap()` in prepare-dist.ts +- `@quarto/types` path changed to `./quarto-types.d.ts` +- Deno std versions updated from `src/import_map.json` + +## Updating Versions + +Deno std library versions are automatically synced from `src/import_map.json` during packaging. +No manual updates needed to this directory's import-map.json versions. diff --git a/src/resources/extension-build/deno.json b/src/resources/extension-build/deno.json new file mode 100644 index 00000000000..f590ca177b8 --- /dev/null +++ b/src/resources/extension-build/deno.json @@ -0,0 +1,7 @@ +{ + "compilerOptions": { + "strict": true, + "lib": ["deno.ns", "DOM", "ES2021"] + }, + "importMap": "./import-map.json" +} diff --git a/src/resources/extension-build/import-map.json b/src/resources/extension-build/import-map.json new file mode 100644 index 00000000000..56b6312f6a6 --- /dev/null +++ b/src/resources/extension-build/import-map.json @@ -0,0 +1,11 @@ +{ + "imports": { + "@quarto/types": "../../../packages/quarto-types/dist/index.d.ts", + "path": "jsr:@std/path@1.0.8", + "path/posix": "jsr:@std/path@1.0.8/posix", + "log": "jsr:/@std/log@0.224.0", + "log/": "jsr:/@std/log@0.224.0/", + "fs/": "jsr:/@std/fs@1.0.16/", + "encoding/": "jsr:/@std/encoding@1.0.9/" + } +} diff --git a/src/resources/extension-subtrees/julia-engine/.gitignore b/src/resources/extension-subtrees/julia-engine/.gitignore new file mode 100644 index 00000000000..844b2d77f92 --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/.gitignore @@ -0,0 +1,6 @@ +example.html +example_files/ +.quarto/ + +/.quarto/ +**/*.quarto_ipynb diff --git a/src/resources/extension-subtrees/julia-engine/Manifest.toml b/src/resources/extension-subtrees/julia-engine/Manifest.toml new file mode 100644 index 00000000000..a7afb0a8f1e --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/Manifest.toml @@ -0,0 +1,1571 @@ +# This file is machine-generated - editing it directly is not advised + +julia_version = "1.12.1" +manifest_format = "2.0" +project_hash = "8551d9d97d1c74b8788a9cb955d4fe3906e3f1e7" + +[[deps.AbstractFFTs]] +deps = ["LinearAlgebra"] +git-tree-sha1 = "d92ad398961a3ed262d8bf04a1a2b8340f915fef" +uuid = "621f4979-c628-5d54-868e-fcf4e3e8185c" +version = "1.5.0" +weakdeps = ["ChainRulesCore", "Test"] + + [deps.AbstractFFTs.extensions] + AbstractFFTsChainRulesCoreExt = "ChainRulesCore" + AbstractFFTsTestExt = "Test" + +[[deps.Adapt]] +deps = ["LinearAlgebra", "Requires"] +git-tree-sha1 = "7e35fca2bdfba44d797c53dfe63a51fabf39bfc0" +uuid = "79e6a3ab-5dfb-504d-930d-738a2a938a0e" +version = "4.4.0" +weakdeps = ["SparseArrays", "StaticArrays"] + + [deps.Adapt.extensions] + AdaptSparseArraysExt = "SparseArrays" + AdaptStaticArraysExt = "StaticArrays" + +[[deps.AliasTables]] +deps = ["PtrArrays", "Random"] +git-tree-sha1 = "9876e1e164b144ca45e9e3198d0b689cadfed9ff" +uuid = "66dad0bd-aa9a-41b7-9441-69ab47430ed8" +version = "1.1.3" + +[[deps.ArgTools]] +uuid = "0dad84c5-d112-42e6-8d28-ef12dabb789f" +version = "1.1.2" + +[[deps.Arpack]] +deps = ["Arpack_jll", "Libdl", "LinearAlgebra", "Logging"] +git-tree-sha1 = "9b9b347613394885fd1c8c7729bfc60528faa436" +uuid = "7d9fca2a-8960-54d3-9f78-7d1dccf2cb97" +version = "0.5.4" + +[[deps.Arpack_jll]] +deps = ["Artifacts", "CompilerSupportLibraries_jll", "JLLWrappers", "Libdl", "OpenBLAS_jll", "Pkg"] +git-tree-sha1 = "5ba6c757e8feccf03a1554dfaf3e26b3cfc7fd5e" +uuid = "68821587-b530-5797-8361-c406ea357684" +version = "3.5.1+1" + +[[deps.Artifacts]] +uuid = "56f22d72-fd6d-98f1-02f0-08ddc0907c33" +version = "1.11.0" + +[[deps.AxisAlgorithms]] +deps = ["LinearAlgebra", "Random", "SparseArrays", "WoodburyMatrices"] +git-tree-sha1 = "01b8ccb13d68535d73d2b0c23e39bd23155fb712" +uuid = "13072b0f-2c55-5437-9ae7-d433b7a33950" +version = "1.1.0" + +[[deps.Base64]] +uuid = "2a0f44e3-6c83-55bd-87e4-b1978d98bd5f" +version = "1.11.0" + +[[deps.BitFlags]] +git-tree-sha1 = "0691e34b3bb8be9307330f88d1a3c3f25466c24d" +uuid = "d1d4a3ce-64b1-5f1a-9ba4-7e7e69966f35" +version = "0.1.9" + +[[deps.Bzip2_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "1b96ea4a01afe0ea4090c5c8039690672dd13f2e" +uuid = "6e34b625-4abd-537c-b88f-471c36dfa7a0" +version = "1.0.9+0" + +[[deps.CSV]] +deps = ["CodecZlib", "Dates", "FilePathsBase", "InlineStrings", "Mmap", "Parsers", "PooledArrays", "PrecompileTools", "SentinelArrays", "Tables", "Unicode", "WeakRefStrings", "WorkerUtilities"] +git-tree-sha1 = "deddd8725e5e1cc49ee205a1964256043720a6c3" +uuid = "336ed68f-0bac-5ca0-87d4-7b16caf5d00b" +version = "0.10.15" + +[[deps.Cairo_jll]] +deps = ["Artifacts", "Bzip2_jll", "CompilerSupportLibraries_jll", "Fontconfig_jll", "FreeType2_jll", "Glib_jll", "JLLWrappers", "LZO_jll", "Libdl", "Pixman_jll", "Xorg_libXext_jll", "Xorg_libXrender_jll", "Zlib_jll", "libpng_jll"] +git-tree-sha1 = "fde3bf89aead2e723284a8ff9cdf5b551ed700e8" +uuid = "83423d85-b0ee-5818-9007-b63ccbeb887a" +version = "1.18.5+0" + +[[deps.CategoricalArrays]] +deps = ["DataAPI", "Future", "Missings", "Printf", "Requires", "Statistics", "Unicode"] +git-tree-sha1 = "5084cc1a28976dd1642c9f337b28a3cb03e0f7d2" +uuid = "324d7699-5711-5eae-9e2f-1d82baa6b597" +version = "0.10.7" + +[[deps.ChainRulesCore]] +deps = ["Compat", "LinearAlgebra"] +git-tree-sha1 = "e4c6a16e77171a5f5e25e9646617ab1c276c5607" +uuid = "d360d2e6-b24c-11e9-a2a3-2a2ae2dbcce4" +version = "1.26.0" +weakdeps = ["SparseArrays"] + + [deps.ChainRulesCore.extensions] + ChainRulesCoreSparseArraysExt = "SparseArrays" + +[[deps.Clustering]] +deps = ["Distances", "LinearAlgebra", "NearestNeighbors", "Printf", "Random", "SparseArrays", "Statistics", "StatsBase"] +git-tree-sha1 = "3e22db924e2945282e70c33b75d4dde8bfa44c94" +uuid = "aaaa29a8-35af-508c-8bc3-b662a17a0fe5" +version = "0.15.8" + +[[deps.CodecZlib]] +deps = ["TranscodingStreams", "Zlib_jll"] +git-tree-sha1 = "962834c22b66e32aa10f7611c08c8ca4e20749a9" +uuid = "944b1d66-785c-5afd-91f1-9de20f533193" +version = "0.7.8" + +[[deps.ColorSchemes]] +deps = ["ColorTypes", "ColorVectorSpace", "Colors", "FixedPointNumbers", "PrecompileTools", "Random"] +git-tree-sha1 = "b0fd3f56fa442f81e0a47815c92245acfaaa4e34" +uuid = "35d6a980-a343-548e-a6ea-1d62b119f2f4" +version = "3.31.0" + +[[deps.ColorTypes]] +deps = ["FixedPointNumbers", "Random"] +git-tree-sha1 = "67e11ee83a43eb71ddc950302c53bf33f0690dfe" +uuid = "3da002f7-5984-5a60-b8a6-cbb66c0b333f" +version = "0.12.1" +weakdeps = ["StyledStrings"] + + [deps.ColorTypes.extensions] + StyledStringsExt = "StyledStrings" + +[[deps.ColorVectorSpace]] +deps = ["ColorTypes", "FixedPointNumbers", "LinearAlgebra", "Requires", "Statistics", "TensorCore"] +git-tree-sha1 = "8b3b6f87ce8f65a2b4f857528fd8d70086cd72b1" +uuid = "c3611d14-8923-5661-9e6a-0046d554d3a4" +version = "0.11.0" +weakdeps = ["SpecialFunctions"] + + [deps.ColorVectorSpace.extensions] + SpecialFunctionsExt = "SpecialFunctions" + +[[deps.Colors]] +deps = ["ColorTypes", "FixedPointNumbers", "Reexport"] +git-tree-sha1 = "37ea44092930b1811e666c3bc38065d7d87fcc74" +uuid = "5ae59095-9a9b-59fe-a467-6f913c188581" +version = "0.13.1" + +[[deps.Compat]] +deps = ["TOML", "UUIDs"] +git-tree-sha1 = "9d8a54ce4b17aa5bdce0ea5c34bc5e7c340d16ad" +uuid = "34da2185-b29b-5c13-b0c7-acf172513d20" +version = "4.18.1" +weakdeps = ["Dates", "LinearAlgebra"] + + [deps.Compat.extensions] + CompatLinearAlgebraExt = "LinearAlgebra" + +[[deps.CompilerSupportLibraries_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "e66e0078-7015-5450-92f7-15fbd957f2ae" +version = "1.3.0+1" + +[[deps.ConcurrentUtilities]] +deps = ["Serialization", "Sockets"] +git-tree-sha1 = "d9d26935a0bcffc87d2613ce14c527c99fc543fd" +uuid = "f0e56b4a-5159-44fe-b623-3e5288b988bb" +version = "2.5.0" + +[[deps.Contour]] +git-tree-sha1 = "439e35b0b36e2e5881738abc8857bd92ad6ff9a8" +uuid = "d38c429a-6771-53c6-b99e-75d170b6e991" +version = "0.6.3" + +[[deps.Crayons]] +git-tree-sha1 = "249fe38abf76d48563e2f4556bebd215aa317e15" +uuid = "a8cc5b0e-0ffa-5ad4-8c14-923d3ee1735f" +version = "4.1.1" + +[[deps.DataAPI]] +git-tree-sha1 = "abe83f3a2f1b857aac70ef8b269080af17764bbe" +uuid = "9a962f9c-6df0-11e9-0e5d-c546b8b5ee8a" +version = "1.16.0" + +[[deps.DataFrames]] +deps = ["Compat", "DataAPI", "DataStructures", "Future", "InlineStrings", "InvertedIndices", "IteratorInterfaceExtensions", "LinearAlgebra", "Markdown", "Missings", "PooledArrays", "PrecompileTools", "PrettyTables", "Printf", "Random", "Reexport", "SentinelArrays", "SortingAlgorithms", "Statistics", "TableTraits", "Tables", "Unicode"] +git-tree-sha1 = "d8928e9169ff76c6281f39a659f9bca3a573f24c" +uuid = "a93c6f00-e57d-5684-b7b6-d8193f3e46c0" +version = "1.8.1" + +[[deps.DataStructures]] +deps = ["OrderedCollections"] +git-tree-sha1 = "6c72198e6a101cccdd4c9731d3985e904ba26037" +uuid = "864edb3b-99cc-5e75-8d2d-829cb0a9cfe8" +version = "0.19.1" + +[[deps.DataValueInterfaces]] +git-tree-sha1 = "bfc1187b79289637fa0ef6d4436ebdfe6905cbd6" +uuid = "e2d170a0-9d28-54be-80f0-106bbe20a464" +version = "1.0.0" + +[[deps.Dates]] +deps = ["Printf"] +uuid = "ade2ca70-3891-5945-98fb-dc099432e06a" +version = "1.11.0" + +[[deps.Dbus_jll]] +deps = ["Artifacts", "Expat_jll", "JLLWrappers", "Libdl"] +git-tree-sha1 = "473e9afc9cf30814eb67ffa5f2db7df82c3ad9fd" +uuid = "ee1fde0b-3d02-5ea6-8484-8dfef6360eab" +version = "1.16.2+0" + +[[deps.DelimitedFiles]] +deps = ["Mmap"] +git-tree-sha1 = "9e2f36d3c96a820c678f2f1f1782582fcf685bae" +uuid = "8bb1440f-4735-579b-a4ab-409b98df4dab" +version = "1.9.1" + +[[deps.Distances]] +deps = ["LinearAlgebra", "Statistics", "StatsAPI"] +git-tree-sha1 = "c7e3a542b999843086e2f29dac96a618c105be1d" +uuid = "b4f34e82-e78d-54a5-968a-f98e89d6e8f7" +version = "0.10.12" +weakdeps = ["ChainRulesCore", "SparseArrays"] + + [deps.Distances.extensions] + DistancesChainRulesCoreExt = "ChainRulesCore" + DistancesSparseArraysExt = "SparseArrays" + +[[deps.Distributed]] +deps = ["Random", "Serialization", "Sockets"] +uuid = "8ba89e20-285c-5b6f-9357-94700520ee1b" +version = "1.11.0" + +[[deps.Distributions]] +deps = ["AliasTables", "FillArrays", "LinearAlgebra", "PDMats", "Printf", "QuadGK", "Random", "SpecialFunctions", "Statistics", "StatsAPI", "StatsBase", "StatsFuns"] +git-tree-sha1 = "3bc002af51045ca3b47d2e1787d6ce02e68b943a" +uuid = "31c24e10-a181-5473-b8eb-7969acd0382f" +version = "0.25.122" + + [deps.Distributions.extensions] + DistributionsChainRulesCoreExt = "ChainRulesCore" + DistributionsDensityInterfaceExt = "DensityInterface" + DistributionsTestExt = "Test" + + [deps.Distributions.weakdeps] + ChainRulesCore = "d360d2e6-b24c-11e9-a2a3-2a2ae2dbcce4" + DensityInterface = "b429d917-457f-4dbc-8f4c-0cc954292b1d" + Test = "8dfed614-e22c-5e08-85e1-65c5234f0b40" + +[[deps.DocStringExtensions]] +git-tree-sha1 = "7442a5dfe1ebb773c29cc2962a8980f47221d76c" +uuid = "ffbed154-4ef7-542d-bbb7-c09d3a79fcae" +version = "0.9.5" + +[[deps.Downloads]] +deps = ["ArgTools", "FileWatching", "LibCURL", "NetworkOptions"] +uuid = "f43a241f-c20a-4ad4-852c-f6b1247861c6" +version = "1.6.0" + +[[deps.EpollShim_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "8a4be429317c42cfae6a7fc03c31bad1970c310d" +uuid = "2702e6a9-849d-5ed8-8c21-79e8b8f9ee43" +version = "0.0.20230411+1" + +[[deps.ExceptionUnwrapping]] +deps = ["Test"] +git-tree-sha1 = "d36f682e590a83d63d1c7dbd287573764682d12a" +uuid = "460bff9d-24e4-43bc-9d9f-a8973cb893f4" +version = "0.1.11" + +[[deps.Expat_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "27af30de8b5445644e8ffe3bcb0d72049c089cf1" +uuid = "2e619515-83b5-522b-bb60-26c02a35a201" +version = "2.7.3+0" + +[[deps.ExprTools]] +git-tree-sha1 = "27415f162e6028e81c72b82ef756bf321213b6ec" +uuid = "e2ba6199-217a-4e67-a87a-7c52f15ade04" +version = "0.1.10" + +[[deps.FFMPEG]] +deps = ["FFMPEG_jll"] +git-tree-sha1 = "95ecf07c2eea562b5adbd0696af6db62c0f52560" +uuid = "c87230d0-a227-11e9-1b43-d7ebe4e7570a" +version = "0.4.5" + +[[deps.FFMPEG_jll]] +deps = ["Artifacts", "Bzip2_jll", "FreeType2_jll", "FriBidi_jll", "JLLWrappers", "LAME_jll", "Libdl", "Ogg_jll", "OpenSSL_jll", "Opus_jll", "PCRE2_jll", "Zlib_jll", "libaom_jll", "libass_jll", "libfdk_aac_jll", "libvorbis_jll", "x264_jll", "x265_jll"] +git-tree-sha1 = "ccc81ba5e42497f4e76553a5545665eed577a663" +uuid = "b22a6f82-2f65-5046-a5b2-351ab43fb4e5" +version = "8.0.0+0" + +[[deps.FFTW]] +deps = ["AbstractFFTs", "FFTW_jll", "Libdl", "LinearAlgebra", "MKL_jll", "Preferences", "Reexport"] +git-tree-sha1 = "97f08406df914023af55ade2f843c39e99c5d969" +uuid = "7a1cc6ca-52ef-59f5-83cd-3a7055c09341" +version = "1.10.0" + +[[deps.FFTW_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "6d6219a004b8cf1e0b4dbe27a2860b8e04eba0be" +uuid = "f5851436-0d7a-5f13-b9de-f02708fd171a" +version = "3.3.11+0" + +[[deps.FileIO]] +deps = ["Pkg", "Requires", "UUIDs"] +git-tree-sha1 = "d60eb76f37d7e5a40cc2e7c36974d864b82dc802" +uuid = "5789e2e9-d7fb-5bc7-8068-2c6fae9b9549" +version = "1.17.1" +weakdeps = ["HTTP"] + + [deps.FileIO.extensions] + HTTPExt = "HTTP" + +[[deps.FilePathsBase]] +deps = ["Compat", "Dates"] +git-tree-sha1 = "3bab2c5aa25e7840a4b065805c0cdfc01f3068d2" +uuid = "48062228-2e41-5def-b9a4-89aafe57970f" +version = "0.9.24" +weakdeps = ["Mmap", "Test"] + + [deps.FilePathsBase.extensions] + FilePathsBaseMmapExt = "Mmap" + FilePathsBaseTestExt = "Test" + +[[deps.FileWatching]] +uuid = "7b1f6079-737a-58dc-b8bc-7a2ca5c1b5ee" +version = "1.11.0" + +[[deps.FillArrays]] +deps = ["LinearAlgebra"] +git-tree-sha1 = "173e4d8f14230a7523ae11b9a3fa9edb3e0efd78" +uuid = "1a297f60-69ca-5386-bcde-b61e274b549b" +version = "1.14.0" +weakdeps = ["PDMats", "SparseArrays", "Statistics"] + + [deps.FillArrays.extensions] + FillArraysPDMatsExt = "PDMats" + FillArraysSparseArraysExt = "SparseArrays" + FillArraysStatisticsExt = "Statistics" + +[[deps.FixedPointNumbers]] +deps = ["Statistics"] +git-tree-sha1 = "05882d6995ae5c12bb5f36dd2ed3f61c98cbb172" +uuid = "53c48c17-4a7d-5ca2-90c5-79b7896eea93" +version = "0.8.5" + +[[deps.Fontconfig_jll]] +deps = ["Artifacts", "Bzip2_jll", "Expat_jll", "FreeType2_jll", "JLLWrappers", "Libdl", "Libuuid_jll", "Zlib_jll"] +git-tree-sha1 = "f85dac9a96a01087df6e3a749840015a0ca3817d" +uuid = "a3f928ae-7b40-5064-980b-68af3947d34b" +version = "2.17.1+0" + +[[deps.Format]] +git-tree-sha1 = "9c68794ef81b08086aeb32eeaf33531668d5f5fc" +uuid = "1fa38f19-a742-5d3f-a2b9-30dd87b9d5f8" +version = "1.3.7" + +[[deps.FreeType2_jll]] +deps = ["Artifacts", "Bzip2_jll", "JLLWrappers", "Libdl", "Zlib_jll"] +git-tree-sha1 = "2c5512e11c791d1baed2049c5652441b28fc6a31" +uuid = "d7e528f0-a631-5988-bf34-fe36492bcfd7" +version = "2.13.4+0" + +[[deps.FriBidi_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "7a214fdac5ed5f59a22c2d9a885a16da1c74bbc7" +uuid = "559328eb-81f9-559d-9380-de523a88c83c" +version = "1.0.17+0" + +[[deps.Future]] +deps = ["Random"] +uuid = "9fa8497b-333b-5362-9e8d-4d0656e87820" +version = "1.11.0" + +[[deps.GLFW_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Libglvnd_jll", "Xorg_libXcursor_jll", "Xorg_libXi_jll", "Xorg_libXinerama_jll", "Xorg_libXrandr_jll", "libdecor_jll", "xkbcommon_jll"] +git-tree-sha1 = "fcb0584ff34e25155876418979d4c8971243bb89" +uuid = "0656b61e-2033-5cc2-a64a-77c0f6c09b89" +version = "3.4.0+2" + +[[deps.GR]] +deps = ["Artifacts", "Base64", "DelimitedFiles", "Downloads", "GR_jll", "HTTP", "JSON", "Libdl", "LinearAlgebra", "Preferences", "Printf", "Qt6Wayland_jll", "Random", "Serialization", "Sockets", "TOML", "Tar", "Test", "p7zip_jll"] +git-tree-sha1 = "1828eb7275491981fa5f1752a5e126e8f26f8741" +uuid = "28b8d3ca-fb5f-59d9-8090-bfdbd6d07a71" +version = "0.73.17" + +[[deps.GR_jll]] +deps = ["Artifacts", "Bzip2_jll", "Cairo_jll", "FFMPEG_jll", "Fontconfig_jll", "FreeType2_jll", "GLFW_jll", "JLLWrappers", "JpegTurbo_jll", "Libdl", "Libtiff_jll", "Pixman_jll", "Qt6Base_jll", "Zlib_jll", "libpng_jll"] +git-tree-sha1 = "27299071cc29e409488ada41ec7643e0ab19091f" +uuid = "d2c73de3-f751-5644-a686-071e5b155ba9" +version = "0.73.17+0" + +[[deps.GettextRuntime_jll]] +deps = ["Artifacts", "CompilerSupportLibraries_jll", "JLLWrappers", "Libdl", "Libiconv_jll"] +git-tree-sha1 = "45288942190db7c5f760f59c04495064eedf9340" +uuid = "b0724c58-0f36-5564-988d-3bb0596ebc4a" +version = "0.22.4+0" + +[[deps.Ghostscript_jll]] +deps = ["Artifacts", "JLLWrappers", "JpegTurbo_jll", "Libdl", "Zlib_jll"] +git-tree-sha1 = "38044a04637976140074d0b0621c1edf0eb531fd" +uuid = "61579ee1-b43e-5ca0-a5da-69d92c66a64b" +version = "9.55.1+0" + +[[deps.Glib_jll]] +deps = ["Artifacts", "GettextRuntime_jll", "JLLWrappers", "Libdl", "Libffi_jll", "Libiconv_jll", "Libmount_jll", "PCRE2_jll", "Zlib_jll"] +git-tree-sha1 = "50c11ffab2a3d50192a228c313f05b5b5dc5acb2" +uuid = "7746bdde-850d-59dc-9ae8-88ece973131d" +version = "2.86.0+0" + +[[deps.Graphite2_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "8a6dbda1fd736d60cc477d99f2e7a042acfa46e8" +uuid = "3b182d85-2403-5c21-9c21-1e1f0cc25472" +version = "1.3.15+0" + +[[deps.Grisu]] +git-tree-sha1 = "53bb909d1151e57e2484c3d1b53e19552b887fb2" +uuid = "42e2da0e-8278-4e71-bc24-59509adca0fe" +version = "1.0.2" + +[[deps.HTTP]] +deps = ["Base64", "CodecZlib", "ConcurrentUtilities", "Dates", "ExceptionUnwrapping", "Logging", "LoggingExtras", "MbedTLS", "NetworkOptions", "OpenSSL", "PrecompileTools", "Random", "SimpleBufferStream", "Sockets", "URIs", "UUIDs"] +git-tree-sha1 = "5e6fe50ae7f23d171f44e311c2960294aaa0beb5" +uuid = "cd3eb016-35fb-5094-929b-558a96fad6f3" +version = "1.10.19" + +[[deps.HarfBuzz_jll]] +deps = ["Artifacts", "Cairo_jll", "Fontconfig_jll", "FreeType2_jll", "Glib_jll", "Graphite2_jll", "JLLWrappers", "Libdl", "Libffi_jll"] +git-tree-sha1 = "f923f9a774fcf3f5cb761bfa43aeadd689714813" +uuid = "2e76f6c2-a576-52d4-95c1-20adfe4de566" +version = "8.5.1+0" + +[[deps.HypergeometricFunctions]] +deps = ["LinearAlgebra", "OpenLibm_jll", "SpecialFunctions"] +git-tree-sha1 = "68c173f4f449de5b438ee67ed0c9c748dc31a2ec" +uuid = "34004b35-14d8-5ef3-9330-4cdb6864b03a" +version = "0.3.28" + +[[deps.InlineStrings]] +git-tree-sha1 = "8f3d257792a522b4601c24a577954b0a8cd7334d" +uuid = "842dd82b-1e85-43dc-bf29-5d0ee9dffc48" +version = "1.4.5" + + [deps.InlineStrings.extensions] + ArrowTypesExt = "ArrowTypes" + ParsersExt = "Parsers" + + [deps.InlineStrings.weakdeps] + ArrowTypes = "31f734f8-188a-4ce0-8406-c8a06bd891cd" + Parsers = "69de0a69-1ddd-5017-9359-2bf0b02dc9f0" + +[[deps.IntelOpenMP_jll]] +deps = ["Artifacts", "JLLWrappers", "LazyArtifacts", "Libdl"] +git-tree-sha1 = "ec1debd61c300961f98064cfb21287613ad7f303" +uuid = "1d5cc7b8-4909-519e-a0f8-d0f5ad9712d0" +version = "2025.2.0+0" + +[[deps.InteractiveUtils]] +deps = ["Markdown"] +uuid = "b77e0a4c-d291-57a0-90e8-8db25a27a240" +version = "1.11.0" + +[[deps.Interpolations]] +deps = ["Adapt", "AxisAlgorithms", "ChainRulesCore", "LinearAlgebra", "OffsetArrays", "Random", "Ratios", "SharedArrays", "SparseArrays", "StaticArrays", "WoodburyMatrices"] +git-tree-sha1 = "65d505fa4c0d7072990d659ef3fc086eb6da8208" +uuid = "a98d9a8b-a2ab-59e6-89dd-64a1c18fca59" +version = "0.16.2" + + [deps.Interpolations.extensions] + InterpolationsForwardDiffExt = "ForwardDiff" + InterpolationsUnitfulExt = "Unitful" + + [deps.Interpolations.weakdeps] + ForwardDiff = "f6369f11-7733-5829-9624-2563aa707210" + Unitful = "1986cc42-f94f-5a68-af5c-568840ba703d" + +[[deps.InvertedIndices]] +git-tree-sha1 = "6da3c4316095de0f5ee2ebd875df8721e7e0bdbe" +uuid = "41ab1584-1d38-5bbf-9106-f11c6c58b48f" +version = "1.3.1" + +[[deps.IrrationalConstants]] +git-tree-sha1 = "b2d91fe939cae05960e760110b328288867b5758" +uuid = "92d709cd-6900-40b7-9082-c6be49f344b6" +version = "0.2.6" + +[[deps.IteratorInterfaceExtensions]] +git-tree-sha1 = "a3f24677c21f5bbe9d2a714f95dcd58337fb2856" +uuid = "82899510-4779-5014-852e-03e436cf321d" +version = "1.0.0" + +[[deps.JLFzf]] +deps = ["REPL", "Random", "fzf_jll"] +git-tree-sha1 = "82f7acdc599b65e0f8ccd270ffa1467c21cb647b" +uuid = "1019f520-868f-41f5-a6de-eb00f4b6a39c" +version = "0.1.11" + +[[deps.JLLWrappers]] +deps = ["Artifacts", "Preferences"] +git-tree-sha1 = "0533e564aae234aff59ab625543145446d8b6ec2" +uuid = "692b3bcd-3c85-4b1f-b108-f13ce0eb3210" +version = "1.7.1" + +[[deps.JSON]] +deps = ["Dates", "Logging", "Parsers", "PrecompileTools", "StructUtils", "UUIDs", "Unicode"] +git-tree-sha1 = "06ea418d0c95878c8f3031023951edcf25b9e0ef" +uuid = "682c06a0-de6a-54ab-a142-c8b1cf79cde6" +version = "1.2.0" + + [deps.JSON.extensions] + JSONArrowExt = ["ArrowTypes"] + + [deps.JSON.weakdeps] + ArrowTypes = "31f734f8-188a-4ce0-8406-c8a06bd891cd" + +[[deps.JpegTurbo_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "4255f0032eafd6451d707a51d5f0248b8a165e4d" +uuid = "aacddb02-875f-59d6-b918-886e6ef4fbf8" +version = "3.1.3+0" + +[[deps.JuliaSyntaxHighlighting]] +deps = ["StyledStrings"] +uuid = "ac6e5ff7-fb65-4e79-a425-ec3bc9c03011" +version = "1.12.0" + +[[deps.KernelDensity]] +deps = ["Distributions", "DocStringExtensions", "FFTW", "Interpolations", "StatsBase"] +git-tree-sha1 = "ba51324b894edaf1df3ab16e2cc6bc3280a2f1a7" +uuid = "5ab0869b-81aa-558d-bb23-cbf5423bbe9b" +version = "0.6.10" + +[[deps.LAME_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "059aabebaa7c82ccb853dd4a0ee9d17796f7e1bc" +uuid = "c1c5ebd0-6772-5130-a774-d5fcae4a789d" +version = "3.100.3+0" + +[[deps.LERC_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "aaafe88dccbd957a8d82f7d05be9b69172e0cee3" +uuid = "88015f11-f218-50d7-93a8-a6af411a945d" +version = "4.0.1+0" + +[[deps.LLVMOpenMP_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "eb62a3deb62fc6d8822c0c4bef73e4412419c5d8" +uuid = "1d63c593-3942-5779-bab2-d838dc0a180e" +version = "18.1.8+0" + +[[deps.LZO_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "1c602b1127f4751facb671441ca72715cc95938a" +uuid = "dd4b983a-f0e5-5f8d-a1b7-129d4a5fb1ac" +version = "2.10.3+0" + +[[deps.LaTeXStrings]] +git-tree-sha1 = "dda21b8cbd6a6c40d9d02a73230f9d70fed6918c" +uuid = "b964fa9f-0449-5b57-a5c2-d3ea65f4040f" +version = "1.4.0" + +[[deps.Latexify]] +deps = ["Format", "Ghostscript_jll", "InteractiveUtils", "LaTeXStrings", "MacroTools", "Markdown", "OrderedCollections", "Requires"] +git-tree-sha1 = "44f93c47f9cd6c7e431f2f2091fcba8f01cd7e8f" +uuid = "23fbe1c1-3f47-55db-b15f-69d7ec21a316" +version = "0.16.10" + + [deps.Latexify.extensions] + DataFramesExt = "DataFrames" + SparseArraysExt = "SparseArrays" + SymEngineExt = "SymEngine" + TectonicExt = "tectonic_jll" + + [deps.Latexify.weakdeps] + DataFrames = "a93c6f00-e57d-5684-b7b6-d8193f3e46c0" + SparseArrays = "2f01184e-e22b-5df5-ae63-d93ebab69eaf" + SymEngine = "123dc426-2d89-5057-bbad-38513e3affd8" + tectonic_jll = "d7dd28d6-a5e6-559c-9131-7eb760cdacc5" + +[[deps.LazyArtifacts]] +deps = ["Artifacts", "Pkg"] +uuid = "4af54fe1-eca0-43a8-85a7-787d91b784e3" +version = "1.11.0" + +[[deps.LibCURL]] +deps = ["LibCURL_jll", "MozillaCACerts_jll"] +uuid = "b27032c2-a3e7-50c8-80cd-2d36dbcbfd21" +version = "0.6.4" + +[[deps.LibCURL_jll]] +deps = ["Artifacts", "LibSSH2_jll", "Libdl", "OpenSSL_jll", "Zlib_jll", "nghttp2_jll"] +uuid = "deac9b47-8bc7-5906-a0fe-35ac56dc84c0" +version = "8.11.1+1" + +[[deps.LibGit2]] +deps = ["LibGit2_jll", "NetworkOptions", "Printf", "SHA"] +uuid = "76f85450-5226-5b5a-8eaa-529ad045b433" +version = "1.11.0" + +[[deps.LibGit2_jll]] +deps = ["Artifacts", "LibSSH2_jll", "Libdl", "OpenSSL_jll"] +uuid = "e37daf67-58a4-590a-8e99-b0245dd2ffc5" +version = "1.9.0+0" + +[[deps.LibSSH2_jll]] +deps = ["Artifacts", "Libdl", "OpenSSL_jll"] +uuid = "29816b5a-b9ab-546f-933c-edad1886dfa8" +version = "1.11.3+1" + +[[deps.Libdl]] +uuid = "8f399da3-3557-5675-b5ff-fb832c97cbdb" +version = "1.11.0" + +[[deps.Libffi_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "c8da7e6a91781c41a863611c7e966098d783c57a" +uuid = "e9f186c6-92d2-5b65-8a66-fee21dc1b490" +version = "3.4.7+0" + +[[deps.Libglvnd_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libX11_jll", "Xorg_libXext_jll"] +git-tree-sha1 = "d36c21b9e7c172a44a10484125024495e2625ac0" +uuid = "7e76a0d4-f3c7-5321-8279-8d96eeed0f29" +version = "1.7.1+1" + +[[deps.Libiconv_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "be484f5c92fad0bd8acfef35fe017900b0b73809" +uuid = "94ce4f54-9a6c-5748-9c1c-f9c7231a4531" +version = "1.18.0+0" + +[[deps.Libmount_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "3acf07f130a76f87c041cfb2ff7d7284ca67b072" +uuid = "4b2f31a3-9ecc-558c-b454-b3730dcb73e9" +version = "2.41.2+0" + +[[deps.Libtiff_jll]] +deps = ["Artifacts", "JLLWrappers", "JpegTurbo_jll", "LERC_jll", "Libdl", "XZ_jll", "Zlib_jll", "Zstd_jll"] +git-tree-sha1 = "f04133fe05eff1667d2054c53d59f9122383fe05" +uuid = "89763e89-9b03-5906-acba-b20f662cd828" +version = "4.7.2+0" + +[[deps.Libuuid_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "2a7a12fc0a4e7fb773450d17975322aa77142106" +uuid = "38a345b3-de98-5d2b-a5d3-14cd9215e700" +version = "2.41.2+0" + +[[deps.LinearAlgebra]] +deps = ["Libdl", "OpenBLAS_jll", "libblastrampoline_jll"] +uuid = "37e2e46d-f89d-539d-b4ee-838fcccc9c8e" +version = "1.12.0" + +[[deps.LogExpFunctions]] +deps = ["DocStringExtensions", "IrrationalConstants", "LinearAlgebra"] +git-tree-sha1 = "13ca9e2586b89836fd20cccf56e57e2b9ae7f38f" +uuid = "2ab3a3ac-af41-5b50-aa03-7779005ae688" +version = "0.3.29" + + [deps.LogExpFunctions.extensions] + LogExpFunctionsChainRulesCoreExt = "ChainRulesCore" + LogExpFunctionsChangesOfVariablesExt = "ChangesOfVariables" + LogExpFunctionsInverseFunctionsExt = "InverseFunctions" + + [deps.LogExpFunctions.weakdeps] + ChainRulesCore = "d360d2e6-b24c-11e9-a2a3-2a2ae2dbcce4" + ChangesOfVariables = "9e997f8a-9a97-42d5-a9f1-ce6bfc15e2c0" + InverseFunctions = "3587e190-3f89-42d0-90ee-14403ec27112" + +[[deps.Logging]] +uuid = "56ddb016-857b-54e1-b83d-db4d58db5568" +version = "1.11.0" + +[[deps.LoggingExtras]] +deps = ["Dates", "Logging"] +git-tree-sha1 = "f00544d95982ea270145636c181ceda21c4e2575" +uuid = "e6f89c97-d47a-5376-807f-9c37f3926c36" +version = "1.2.0" + +[[deps.MKL_jll]] +deps = ["Artifacts", "IntelOpenMP_jll", "JLLWrappers", "LazyArtifacts", "Libdl", "oneTBB_jll"] +git-tree-sha1 = "282cadc186e7b2ae0eeadbd7a4dffed4196ae2aa" +uuid = "856f044c-d86e-5d09-b602-aeab76dc8ba7" +version = "2025.2.0+0" + +[[deps.MacroTools]] +git-tree-sha1 = "1e0228a030642014fe5cfe68c2c0a818f9e3f522" +uuid = "1914dd2f-81c6-5fcd-8719-6d5c9610ff09" +version = "0.5.16" + +[[deps.Markdown]] +deps = ["Base64", "JuliaSyntaxHighlighting", "StyledStrings"] +uuid = "d6f4376e-aef5-505a-96c1-9c027394607a" +version = "1.11.0" + +[[deps.MbedTLS]] +deps = ["Dates", "MbedTLS_jll", "MozillaCACerts_jll", "NetworkOptions", "Random", "Sockets"] +git-tree-sha1 = "c067a280ddc25f196b5e7df3877c6b226d390aaf" +uuid = "739be429-bea8-5141-9913-cc70e7f3736d" +version = "1.1.9" + +[[deps.MbedTLS_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "3cce3511ca2c6f87b19c34ffc623417ed2798cbd" +uuid = "c8ffd9c3-330d-5841-b78e-0817d7145fa1" +version = "2.28.10+0" + +[[deps.Measures]] +git-tree-sha1 = "c13304c81eec1ed3af7fc20e75fb6b26092a1102" +uuid = "442fdcdd-2543-5da2-b0f3-8c86c306513e" +version = "0.3.2" + +[[deps.Missings]] +deps = ["DataAPI"] +git-tree-sha1 = "ec4f7fbeab05d7747bdf98eb74d130a2a2ed298d" +uuid = "e1d29d7a-bbdc-5cf2-9ac0-f12de2c33e28" +version = "1.2.0" + +[[deps.Mmap]] +uuid = "a63ad114-7e13-5084-954f-fe012c677804" +version = "1.11.0" + +[[deps.Mocking]] +deps = ["Compat", "ExprTools"] +git-tree-sha1 = "2c140d60d7cb82badf06d8783800d0bcd1a7daa2" +uuid = "78c3b35d-d492-501b-9361-3d52fe80e533" +version = "0.8.1" + +[[deps.MozillaCACerts_jll]] +uuid = "14a3606d-f60d-562e-9121-12d972cd8159" +version = "2025.5.20" + +[[deps.MultivariateStats]] +deps = ["Arpack", "Distributions", "LinearAlgebra", "SparseArrays", "Statistics", "StatsAPI", "StatsBase"] +git-tree-sha1 = "816620e3aac93e5b5359e4fdaf23ca4525b00ddf" +uuid = "6f286f6a-111f-5878-ab1e-185364afe411" +version = "0.10.3" + +[[deps.NaNMath]] +deps = ["OpenLibm_jll"] +git-tree-sha1 = "9b8215b1ee9e78a293f99797cd31375471b2bcae" +uuid = "77ba4419-2d1f-58cd-9bb1-8ffee604a2e3" +version = "1.1.3" + +[[deps.NearestNeighbors]] +deps = ["Distances", "StaticArrays"] +git-tree-sha1 = "ca7e18198a166a1f3eb92a3650d53d94ed8ca8a1" +uuid = "b8a86587-4115-5ab1-83bc-aa920d37bbce" +version = "0.4.22" + +[[deps.NetworkOptions]] +uuid = "ca575930-c2e3-43a9-ace4-1e988b2c1908" +version = "1.3.0" + +[[deps.Observables]] +git-tree-sha1 = "7438a59546cf62428fc9d1bc94729146d37a7225" +uuid = "510215fc-4207-5dde-b226-833fc4488ee2" +version = "0.5.5" + +[[deps.OffsetArrays]] +git-tree-sha1 = "117432e406b5c023f665fa73dc26e79ec3630151" +uuid = "6fe1bfb0-de20-5000-8ca7-80f57d26f881" +version = "1.17.0" +weakdeps = ["Adapt"] + + [deps.OffsetArrays.extensions] + OffsetArraysAdaptExt = "Adapt" + +[[deps.Ogg_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "b6aa4566bb7ae78498a5e68943863fa8b5231b59" +uuid = "e7412a2a-1a6e-54c0-be00-318e2571c051" +version = "1.3.6+0" + +[[deps.OpenBLAS_jll]] +deps = ["Artifacts", "CompilerSupportLibraries_jll", "Libdl"] +uuid = "4536629a-c528-5b80-bd46-f80d51c5b363" +version = "0.3.29+0" + +[[deps.OpenLibm_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "05823500-19ac-5b8b-9628-191a04bc5112" +version = "0.8.7+0" + +[[deps.OpenSSL]] +deps = ["BitFlags", "Dates", "MozillaCACerts_jll", "OpenSSL_jll", "Sockets"] +git-tree-sha1 = "f1a7e086c677df53e064e0fdd2c9d0b0833e3f6e" +uuid = "4d8831e6-92b7-49fb-bdf8-b643e874388c" +version = "1.5.0" + +[[deps.OpenSSL_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "458c3c95-2e84-50aa-8efc-19380b2a3a95" +version = "3.5.1+0" + +[[deps.OpenSpecFun_jll]] +deps = ["Artifacts", "CompilerSupportLibraries_jll", "JLLWrappers", "Libdl"] +git-tree-sha1 = "1346c9208249809840c91b26703912dff463d335" +uuid = "efe28fd5-8261-553b-a9e1-b2916fc3738e" +version = "0.5.6+0" + +[[deps.Opus_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "c392fc5dd032381919e3b22dd32d6443760ce7ea" +uuid = "91d4177d-7536-5919-b921-800302f37372" +version = "1.5.2+0" + +[[deps.OrderedCollections]] +git-tree-sha1 = "05868e21324cede2207c6f0f466b4bfef6d5e7ee" +uuid = "bac558e1-5e72-5ebc-8fee-abe8a469f55d" +version = "1.8.1" + +[[deps.PCRE2_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "efcefdf7-47ab-520b-bdef-62a2eaa19f15" +version = "10.44.0+1" + +[[deps.PDMats]] +deps = ["LinearAlgebra", "SparseArrays", "SuiteSparse"] +git-tree-sha1 = "d922b4d80d1e12c658da7785e754f4796cc1d60d" +uuid = "90014a1f-27ba-587c-ab20-58faa44d9150" +version = "0.11.36" +weakdeps = ["StatsBase"] + + [deps.PDMats.extensions] + StatsBaseExt = "StatsBase" + +[[deps.Pango_jll]] +deps = ["Artifacts", "Cairo_jll", "Fontconfig_jll", "FreeType2_jll", "FriBidi_jll", "Glib_jll", "HarfBuzz_jll", "JLLWrappers", "Libdl"] +git-tree-sha1 = "1f7f9bbd5f7a2e5a9f7d96e51c9754454ea7f60b" +uuid = "36c8627f-9965-5494-a995-c6b170f724f3" +version = "1.56.4+0" + +[[deps.Parsers]] +deps = ["Dates", "PrecompileTools", "UUIDs"] +git-tree-sha1 = "7d2f8f21da5db6a806faf7b9b292296da42b2810" +uuid = "69de0a69-1ddd-5017-9359-2bf0b02dc9f0" +version = "2.8.3" + +[[deps.Pixman_jll]] +deps = ["Artifacts", "CompilerSupportLibraries_jll", "JLLWrappers", "LLVMOpenMP_jll", "Libdl"] +git-tree-sha1 = "db76b1ecd5e9715f3d043cec13b2ec93ce015d53" +uuid = "30392449-352a-5448-841d-b1acce4e97dc" +version = "0.44.2+0" + +[[deps.Pkg]] +deps = ["Artifacts", "Dates", "Downloads", "FileWatching", "LibGit2", "Libdl", "Logging", "Markdown", "Printf", "Random", "SHA", "TOML", "Tar", "UUIDs", "p7zip_jll"] +uuid = "44cfe95a-1eb2-52ea-b672-e2afdf69b78f" +version = "1.12.0" +weakdeps = ["REPL"] + + [deps.Pkg.extensions] + REPLExt = "REPL" + +[[deps.PlotThemes]] +deps = ["PlotUtils", "Statistics"] +git-tree-sha1 = "41031ef3a1be6f5bbbf3e8073f210556daeae5ca" +uuid = "ccf2f8ad-2431-5c83-bf29-c5338b663b6a" +version = "3.3.0" + +[[deps.PlotUtils]] +deps = ["ColorSchemes", "Colors", "Dates", "PrecompileTools", "Printf", "Random", "Reexport", "StableRNGs", "Statistics"] +git-tree-sha1 = "3ca9a356cd2e113c420f2c13bea19f8d3fb1cb18" +uuid = "995b91a9-d308-5afd-9ec6-746e21dbc043" +version = "1.4.3" + +[[deps.Plots]] +deps = ["Base64", "Contour", "Dates", "Downloads", "FFMPEG", "FixedPointNumbers", "GR", "JLFzf", "JSON", "LaTeXStrings", "Latexify", "LinearAlgebra", "Measures", "NaNMath", "Pkg", "PlotThemes", "PlotUtils", "PrecompileTools", "Printf", "REPL", "Random", "RecipesBase", "RecipesPipeline", "Reexport", "RelocatableFolders", "Requires", "Scratch", "Showoff", "SparseArrays", "Statistics", "StatsBase", "TOML", "UUIDs", "UnicodeFun", "Unzip"] +git-tree-sha1 = "12ce661880f8e309569074a61d3767e5756a199f" +uuid = "91a5bcdd-55d7-5caf-9e0b-520d859cae80" +version = "1.41.1" + + [deps.Plots.extensions] + FileIOExt = "FileIO" + GeometryBasicsExt = "GeometryBasics" + IJuliaExt = "IJulia" + ImageInTerminalExt = "ImageInTerminal" + UnitfulExt = "Unitful" + + [deps.Plots.weakdeps] + FileIO = "5789e2e9-d7fb-5bc7-8068-2c6fae9b9549" + GeometryBasics = "5c1252a2-5f33-56bf-86c9-59e7332b4326" + IJulia = "7073ff75-c697-5162-941a-fcdaad2a7d2a" + ImageInTerminal = "d8c32880-2388-543b-8c61-d9f865259254" + Unitful = "1986cc42-f94f-5a68-af5c-568840ba703d" + +[[deps.PooledArrays]] +deps = ["DataAPI", "Future"] +git-tree-sha1 = "36d8b4b899628fb92c2749eb488d884a926614d3" +uuid = "2dfb63ee-cc39-5dd5-95bd-886bf059d720" +version = "1.4.3" + +[[deps.PrecompileTools]] +deps = ["Preferences"] +git-tree-sha1 = "07a921781cab75691315adc645096ed5e370cb77" +uuid = "aea7be01-6a6a-4083-8856-8a6e6704d82a" +version = "1.3.3" + +[[deps.Preferences]] +deps = ["TOML"] +git-tree-sha1 = "0f27480397253da18fe2c12a4ba4eb9eb208bf3d" +uuid = "21216c6a-2e73-6563-6e65-726566657250" +version = "1.5.0" + +[[deps.PrettyTables]] +deps = ["Crayons", "LaTeXStrings", "Markdown", "PrecompileTools", "Printf", "REPL", "Reexport", "StringManipulation", "Tables"] +git-tree-sha1 = "6b8e2f0bae3f678811678065c09571c1619da219" +uuid = "08abe8d2-0d0c-5749-adfa-8a2ac140af0d" +version = "3.1.0" + +[[deps.Printf]] +deps = ["Unicode"] +uuid = "de0858da-6303-5e67-8744-51eddeeeb8d7" +version = "1.11.0" + +[[deps.PtrArrays]] +git-tree-sha1 = "1d36ef11a9aaf1e8b74dacc6a731dd1de8fd493d" +uuid = "43287f4e-b6f4-7ad1-bb20-aadabca52c3d" +version = "1.3.0" + +[[deps.Qt6Base_jll]] +deps = ["Artifacts", "CompilerSupportLibraries_jll", "Fontconfig_jll", "Glib_jll", "JLLWrappers", "Libdl", "Libglvnd_jll", "OpenSSL_jll", "Vulkan_Loader_jll", "Xorg_libSM_jll", "Xorg_libXext_jll", "Xorg_libXrender_jll", "Xorg_libxcb_jll", "Xorg_xcb_util_cursor_jll", "Xorg_xcb_util_image_jll", "Xorg_xcb_util_keysyms_jll", "Xorg_xcb_util_renderutil_jll", "Xorg_xcb_util_wm_jll", "Zlib_jll", "libinput_jll", "xkbcommon_jll"] +git-tree-sha1 = "34f7e5d2861083ec7596af8b8c092531facf2192" +uuid = "c0090381-4147-56d7-9ebc-da0b1113ec56" +version = "6.8.2+2" + +[[deps.Qt6Declarative_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Qt6Base_jll", "Qt6ShaderTools_jll"] +git-tree-sha1 = "da7adf145cce0d44e892626e647f9dcbe9cb3e10" +uuid = "629bc702-f1f5-5709-abd5-49b8460ea067" +version = "6.8.2+1" + +[[deps.Qt6ShaderTools_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Qt6Base_jll"] +git-tree-sha1 = "9eca9fc3fe515d619ce004c83c31ffd3f85c7ccf" +uuid = "ce943373-25bb-56aa-8eca-768745ed7b5a" +version = "6.8.2+1" + +[[deps.Qt6Wayland_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Qt6Base_jll", "Qt6Declarative_jll"] +git-tree-sha1 = "8f528b0851b5b7025032818eb5abbeb8a736f853" +uuid = "e99dba38-086e-5de3-a5b1-6e4c66e897c3" +version = "6.8.2+2" + +[[deps.QuadGK]] +deps = ["DataStructures", "LinearAlgebra"] +git-tree-sha1 = "9da16da70037ba9d701192e27befedefb91ec284" +uuid = "1fd47b50-473d-5c70-9696-f719f8f3bcdc" +version = "2.11.2" + + [deps.QuadGK.extensions] + QuadGKEnzymeExt = "Enzyme" + + [deps.QuadGK.weakdeps] + Enzyme = "7da242da-08ed-463a-9acd-ee780be4f1d9" + +[[deps.RData]] +deps = ["CategoricalArrays", "CodecZlib", "DataFrames", "Dates", "FileIO", "Requires", "TimeZones", "Unicode"] +git-tree-sha1 = "19e47a495dfb7240eb44dc6971d660f7e4244a72" +uuid = "df47a6cb-8c03-5eed-afd8-b6050d6c41da" +version = "0.8.3" + +[[deps.RDatasets]] +deps = ["CSV", "CodecZlib", "DataFrames", "FileIO", "Printf", "RData", "Reexport"] +git-tree-sha1 = "2720e6f6afb3e562ccb70a6b62f8f308ff810333" +uuid = "ce6b1742-4840-55fa-b093-852dadbb1d8b" +version = "0.7.7" + +[[deps.REPL]] +deps = ["InteractiveUtils", "JuliaSyntaxHighlighting", "Markdown", "Sockets", "StyledStrings", "Unicode"] +uuid = "3fa0cd96-eef1-5676-8a61-b3b8758bbffb" +version = "1.11.0" + +[[deps.Random]] +deps = ["SHA"] +uuid = "9a3f8284-a2c9-5f02-9a11-845980a1fd5c" +version = "1.11.0" + +[[deps.Ratios]] +deps = ["Requires"] +git-tree-sha1 = "1342a47bf3260ee108163042310d26f2be5ec90b" +uuid = "c84ed2f1-dad5-54f0-aa8e-dbefe2724439" +version = "0.4.5" +weakdeps = ["FixedPointNumbers"] + + [deps.Ratios.extensions] + RatiosFixedPointNumbersExt = "FixedPointNumbers" + +[[deps.RecipesBase]] +deps = ["PrecompileTools"] +git-tree-sha1 = "5c3d09cc4f31f5fc6af001c250bf1278733100ff" +uuid = "3cdcf5f2-1ef4-517c-9805-6587b60abb01" +version = "1.3.4" + +[[deps.RecipesPipeline]] +deps = ["Dates", "NaNMath", "PlotUtils", "PrecompileTools", "RecipesBase"] +git-tree-sha1 = "45cf9fd0ca5839d06ef333c8201714e888486342" +uuid = "01d81517-befc-4cb6-b9ec-a95719d0359c" +version = "0.6.12" + +[[deps.Reexport]] +git-tree-sha1 = "45e428421666073eab6f2da5c9d310d99bb12f9b" +uuid = "189a3867-3050-52da-a836-e630ba90ab69" +version = "1.2.2" + +[[deps.RelocatableFolders]] +deps = ["SHA", "Scratch"] +git-tree-sha1 = "ffdaf70d81cf6ff22c2b6e733c900c3321cab864" +uuid = "05181044-ff0b-4ac5-8273-598c1e38db00" +version = "1.0.1" + +[[deps.Requires]] +deps = ["UUIDs"] +git-tree-sha1 = "62389eeff14780bfe55195b7204c0d8738436d64" +uuid = "ae029012-a4dd-5104-9daa-d747884805df" +version = "1.3.1" + +[[deps.Rmath]] +deps = ["Random", "Rmath_jll"] +git-tree-sha1 = "5b3d50eb374cea306873b371d3f8d3915a018f0b" +uuid = "79098fc4-a85e-5d69-aa6a-4863f24498fa" +version = "0.9.0" + +[[deps.Rmath_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "58cdd8fb2201a6267e1db87ff148dd6c1dbd8ad8" +uuid = "f50d1b31-88e8-58de-be2c-1cc44531875f" +version = "0.5.1+0" + +[[deps.SHA]] +uuid = "ea8e919c-243c-51af-8825-aaa63cd721ce" +version = "0.7.0" + +[[deps.Scratch]] +deps = ["Dates"] +git-tree-sha1 = "9b81b8393e50b7d4e6d0a9f14e192294d3b7c109" +uuid = "6c6a2e73-6563-6170-7368-637461726353" +version = "1.3.0" + +[[deps.SentinelArrays]] +deps = ["Dates", "Random"] +git-tree-sha1 = "712fb0231ee6f9120e005ccd56297abbc053e7e0" +uuid = "91c51154-3ec4-41a3-a24f-3f23e20d615c" +version = "1.4.8" + +[[deps.Serialization]] +uuid = "9e88b42a-f829-5b0c-bbe9-9e923198166b" +version = "1.11.0" + +[[deps.SharedArrays]] +deps = ["Distributed", "Mmap", "Random", "Serialization"] +uuid = "1a1011a3-84de-559e-8e89-a11a2f7dc383" +version = "1.11.0" + +[[deps.Showoff]] +deps = ["Dates", "Grisu"] +git-tree-sha1 = "91eddf657aca81df9ae6ceb20b959ae5653ad1de" +uuid = "992d4aef-0814-514b-bc4d-f2e9a6c4116f" +version = "1.0.3" + +[[deps.SimpleBufferStream]] +git-tree-sha1 = "f305871d2f381d21527c770d4788c06c097c9bc1" +uuid = "777ac1f9-54b0-4bf8-805c-2214025038e7" +version = "1.2.0" + +[[deps.Sockets]] +uuid = "6462fe0b-24de-5631-8697-dd941f90decc" +version = "1.11.0" + +[[deps.SortingAlgorithms]] +deps = ["DataStructures"] +git-tree-sha1 = "64d974c2e6fdf07f8155b5b2ca2ffa9069b608d9" +uuid = "a2af1166-a08f-5f64-846c-94a0d3cef48c" +version = "1.2.2" + +[[deps.SparseArrays]] +deps = ["Libdl", "LinearAlgebra", "Random", "Serialization", "SuiteSparse_jll"] +uuid = "2f01184e-e22b-5df5-ae63-d93ebab69eaf" +version = "1.12.0" + +[[deps.SpecialFunctions]] +deps = ["IrrationalConstants", "LogExpFunctions", "OpenLibm_jll", "OpenSpecFun_jll"] +git-tree-sha1 = "f2685b435df2613e25fc10ad8c26dddb8640f547" +uuid = "276daf66-3868-5448-9aa4-cd146d93841b" +version = "2.6.1" +weakdeps = ["ChainRulesCore"] + + [deps.SpecialFunctions.extensions] + SpecialFunctionsChainRulesCoreExt = "ChainRulesCore" + +[[deps.StableRNGs]] +deps = ["Random"] +git-tree-sha1 = "95af145932c2ed859b63329952ce8d633719f091" +uuid = "860ef19b-820b-49d6-a774-d7a799459cd3" +version = "1.0.3" + +[[deps.StaticArrays]] +deps = ["LinearAlgebra", "PrecompileTools", "Random", "StaticArraysCore"] +git-tree-sha1 = "b8693004b385c842357406e3af647701fe783f98" +uuid = "90137ffa-7385-5640-81b9-e52037218182" +version = "1.9.15" +weakdeps = ["ChainRulesCore", "Statistics"] + + [deps.StaticArrays.extensions] + StaticArraysChainRulesCoreExt = "ChainRulesCore" + StaticArraysStatisticsExt = "Statistics" + +[[deps.StaticArraysCore]] +git-tree-sha1 = "6ab403037779dae8c514bad259f32a447262455a" +uuid = "1e83bf80-4336-4d27-bf5d-d5a4f845583c" +version = "1.4.4" + +[[deps.Statistics]] +deps = ["LinearAlgebra"] +git-tree-sha1 = "ae3bb1eb3bba077cd276bc5cfc337cc65c3075c0" +uuid = "10745b16-79ce-11e8-11f9-7d13ad32a3b2" +version = "1.11.1" +weakdeps = ["SparseArrays"] + + [deps.Statistics.extensions] + SparseArraysExt = ["SparseArrays"] + +[[deps.StatsAPI]] +deps = ["LinearAlgebra"] +git-tree-sha1 = "9d72a13a3f4dd3795a195ac5a44d7d6ff5f552ff" +uuid = "82ae8749-77ed-4fe6-ae5f-f523153014b0" +version = "1.7.1" + +[[deps.StatsBase]] +deps = ["AliasTables", "DataAPI", "DataStructures", "LinearAlgebra", "LogExpFunctions", "Missings", "Printf", "Random", "SortingAlgorithms", "SparseArrays", "Statistics", "StatsAPI"] +git-tree-sha1 = "a136f98cefaf3e2924a66bd75173d1c891ab7453" +uuid = "2913bbd2-ae8a-5f71-8c99-4fb6c76f3a91" +version = "0.34.7" + +[[deps.StatsFuns]] +deps = ["HypergeometricFunctions", "IrrationalConstants", "LogExpFunctions", "Reexport", "Rmath", "SpecialFunctions"] +git-tree-sha1 = "91f091a8716a6bb38417a6e6f274602a19aaa685" +uuid = "4c63d2b9-4356-54db-8cca-17b64c39e42c" +version = "1.5.2" + + [deps.StatsFuns.extensions] + StatsFunsChainRulesCoreExt = "ChainRulesCore" + StatsFunsInverseFunctionsExt = "InverseFunctions" + + [deps.StatsFuns.weakdeps] + ChainRulesCore = "d360d2e6-b24c-11e9-a2a3-2a2ae2dbcce4" + InverseFunctions = "3587e190-3f89-42d0-90ee-14403ec27112" + +[[deps.StatsPlots]] +deps = ["AbstractFFTs", "Clustering", "DataStructures", "Distributions", "Interpolations", "KernelDensity", "LinearAlgebra", "MultivariateStats", "NaNMath", "Observables", "Plots", "RecipesBase", "RecipesPipeline", "Reexport", "StatsBase", "TableOperations", "Tables", "Widgets"] +git-tree-sha1 = "88cf3587711d9ad0a55722d339a013c4c56c5bbc" +uuid = "f3b207a7-027a-5e70-b257-86293d7955fd" +version = "0.15.8" + +[[deps.StringManipulation]] +deps = ["PrecompileTools"] +git-tree-sha1 = "725421ae8e530ec29bcbdddbe91ff8053421d023" +uuid = "892a3eda-7b42-436c-8928-eab12a02cf0e" +version = "0.4.1" + +[[deps.StructUtils]] +deps = ["Dates", "UUIDs"] +git-tree-sha1 = "cd47aa083c9c7bdeb7b92de26deb46d6a33163c9" +uuid = "ec057cc2-7a8d-4b58-b3b3-92acb9f63b42" +version = "2.5.1" + + [deps.StructUtils.extensions] + StructUtilsMeasurementsExt = ["Measurements"] + StructUtilsTablesExt = ["Tables"] + + [deps.StructUtils.weakdeps] + Measurements = "eff96d63-e80a-5855-80a2-b1b0885c5ab7" + Tables = "bd369af6-aec1-5ad0-b16a-f7cc5008161c" + +[[deps.StyledStrings]] +uuid = "f489334b-da3d-4c2e-b8f0-e476e12c162b" +version = "1.11.0" + +[[deps.SuiteSparse]] +deps = ["Libdl", "LinearAlgebra", "Serialization", "SparseArrays"] +uuid = "4607b0f0-06f3-5cda-b6b1-a6196a1729e9" + +[[deps.SuiteSparse_jll]] +deps = ["Artifacts", "Libdl", "libblastrampoline_jll"] +uuid = "bea87d4a-7f5b-5778-9afe-8cc45184846c" +version = "7.8.3+2" + +[[deps.TOML]] +deps = ["Dates"] +uuid = "fa267f1f-6049-4f14-aa54-33bafae1ed76" +version = "1.0.3" + +[[deps.TZJData]] +deps = ["Artifacts"] +git-tree-sha1 = "72df96b3a595b7aab1e101eb07d2a435963a97e2" +uuid = "dc5dba14-91b3-4cab-a142-028a31da12f7" +version = "1.5.0+2025b" + +[[deps.TableOperations]] +deps = ["SentinelArrays", "Tables", "Test"] +git-tree-sha1 = "e383c87cf2a1dc41fa30c093b2a19877c83e1bc1" +uuid = "ab02a1b2-a7df-11e8-156e-fb1833f50b87" +version = "1.2.0" + +[[deps.TableTraits]] +deps = ["IteratorInterfaceExtensions"] +git-tree-sha1 = "c06b2f539df1c6efa794486abfb6ed2022561a39" +uuid = "3783bdb8-4a98-5b6b-af9a-565f29a5fe9c" +version = "1.0.1" + +[[deps.Tables]] +deps = ["DataAPI", "DataValueInterfaces", "IteratorInterfaceExtensions", "OrderedCollections", "TableTraits"] +git-tree-sha1 = "f2c1efbc8f3a609aadf318094f8fc5204bdaf344" +uuid = "bd369af6-aec1-5ad0-b16a-f7cc5008161c" +version = "1.12.1" + +[[deps.Tar]] +deps = ["ArgTools", "SHA"] +uuid = "a4e569a6-e804-4fa4-b0f3-eef7a1d5b13e" +version = "1.10.0" + +[[deps.TensorCore]] +deps = ["LinearAlgebra"] +git-tree-sha1 = "1feb45f88d133a655e001435632f019a9a1bcdb6" +uuid = "62fd8b95-f654-4bbd-a8a5-9c27f68ccd50" +version = "0.1.1" + +[[deps.Test]] +deps = ["InteractiveUtils", "Logging", "Random", "Serialization"] +uuid = "8dfed614-e22c-5e08-85e1-65c5234f0b40" +version = "1.11.0" + +[[deps.TimeZones]] +deps = ["Artifacts", "Dates", "Downloads", "InlineStrings", "Mocking", "Printf", "Scratch", "TZJData", "Unicode", "p7zip_jll"] +git-tree-sha1 = "06f4f1f3e8ff09e42e59b043a747332e88e01aba" +uuid = "f269a46b-ccf7-5d73-abea-4c690281aa53" +version = "1.22.1" +weakdeps = ["RecipesBase"] + + [deps.TimeZones.extensions] + TimeZonesRecipesBaseExt = "RecipesBase" + +[[deps.TranscodingStreams]] +git-tree-sha1 = "0c45878dcfdcfa8480052b6ab162cdd138781742" +uuid = "3bb67fe8-82b1-5028-8e26-92a6c54297fa" +version = "0.11.3" + +[[deps.URIs]] +git-tree-sha1 = "bef26fb046d031353ef97a82e3fdb6afe7f21b1a" +uuid = "5c2747f8-b7ea-4ff2-ba2e-563bfd36b1d4" +version = "1.6.1" + +[[deps.UUIDs]] +deps = ["Random", "SHA"] +uuid = "cf7118a7-6976-5b1a-9a39-7adc72f591a4" +version = "1.11.0" + +[[deps.Unicode]] +uuid = "4ec0a83e-493e-50e2-b9ac-8f72acf5a8f5" +version = "1.11.0" + +[[deps.UnicodeFun]] +deps = ["REPL"] +git-tree-sha1 = "53915e50200959667e78a92a418594b428dffddf" +uuid = "1cfade01-22cf-5700-b092-accc4b62d6e1" +version = "0.4.1" + +[[deps.Unzip]] +git-tree-sha1 = "ca0969166a028236229f63514992fc073799bb78" +uuid = "41fe7b60-77ed-43a1-b4f0-825fd5a5650d" +version = "0.2.0" + +[[deps.Vulkan_Loader_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Wayland_jll", "Xorg_libX11_jll", "Xorg_libXrandr_jll", "xkbcommon_jll"] +git-tree-sha1 = "2f0486047a07670caad3a81a075d2e518acc5c59" +uuid = "a44049a8-05dd-5a78-86c9-5fde0876e88c" +version = "1.3.243+0" + +[[deps.Wayland_jll]] +deps = ["Artifacts", "EpollShim_jll", "Expat_jll", "JLLWrappers", "Libdl", "Libffi_jll"] +git-tree-sha1 = "96478df35bbc2f3e1e791bc7a3d0eeee559e60e9" +uuid = "a2964d1f-97da-50d4-b82a-358c7fce9d89" +version = "1.24.0+0" + +[[deps.WeakRefStrings]] +deps = ["DataAPI", "InlineStrings", "Parsers"] +git-tree-sha1 = "b1be2855ed9ed8eac54e5caff2afcdb442d52c23" +uuid = "ea10d353-3f73-51f8-a26c-33c1cb351aa5" +version = "1.4.2" + +[[deps.Widgets]] +deps = ["Colors", "Dates", "Observables", "OrderedCollections"] +git-tree-sha1 = "e9aeb174f95385de31e70bd15fa066a505ea82b9" +uuid = "cc8bc4a8-27d6-5769-a93b-9d913e69aa62" +version = "0.6.7" + +[[deps.WoodburyMatrices]] +deps = ["LinearAlgebra", "SparseArrays"] +git-tree-sha1 = "c1a7aa6219628fcd757dede0ca95e245c5cd9511" +uuid = "efce3f68-66dc-5838-9240-27a6d6f5f9b6" +version = "1.0.0" + +[[deps.WorkerUtilities]] +git-tree-sha1 = "cd1659ba0d57b71a464a29e64dbc67cfe83d54e7" +uuid = "76eceee3-57b5-4d4a-8e66-0e911cebbf60" +version = "1.6.1" + +[[deps.XZ_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "fee71455b0aaa3440dfdd54a9a36ccef829be7d4" +uuid = "ffd25f8a-64ca-5728-b0f7-c24cf3aae800" +version = "5.8.1+0" + +[[deps.Xorg_libICE_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "a3ea76ee3f4facd7a64684f9af25310825ee3668" +uuid = "f67eecfb-183a-506d-b269-f58e52b52d7c" +version = "1.1.2+0" + +[[deps.Xorg_libSM_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libICE_jll"] +git-tree-sha1 = "9c7ad99c629a44f81e7799eb05ec2746abb5d588" +uuid = "c834827a-8449-5923-a945-d239c165b7dd" +version = "1.2.6+0" + +[[deps.Xorg_libX11_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libxcb_jll", "Xorg_xtrans_jll"] +git-tree-sha1 = "b5899b25d17bf1889d25906fb9deed5da0c15b3b" +uuid = "4f6342f7-b3d2-589e-9d20-edeb45f2b2bc" +version = "1.8.12+0" + +[[deps.Xorg_libXau_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "aa1261ebbac3ccc8d16558ae6799524c450ed16b" +uuid = "0c0b7dd1-d40b-584c-a123-a41640f87eec" +version = "1.0.13+0" + +[[deps.Xorg_libXcursor_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libXfixes_jll", "Xorg_libXrender_jll"] +git-tree-sha1 = "6c74ca84bbabc18c4547014765d194ff0b4dc9da" +uuid = "935fb764-8cf2-53bf-bb30-45bb1f8bf724" +version = "1.2.4+0" + +[[deps.Xorg_libXdmcp_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "52858d64353db33a56e13c341d7bf44cd0d7b309" +uuid = "a3789734-cfe1-5b06-b2d0-1dd0d9d62d05" +version = "1.1.6+0" + +[[deps.Xorg_libXext_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libX11_jll"] +git-tree-sha1 = "a4c0ee07ad36bf8bbce1c3bb52d21fb1e0b987fb" +uuid = "1082639a-0dae-5f34-9b06-72781eeb8cb3" +version = "1.3.7+0" + +[[deps.Xorg_libXfixes_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libX11_jll"] +git-tree-sha1 = "75e00946e43621e09d431d9b95818ee751e6b2ef" +uuid = "d091e8ba-531a-589c-9de9-94069b037ed8" +version = "6.0.2+0" + +[[deps.Xorg_libXi_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libXext_jll", "Xorg_libXfixes_jll"] +git-tree-sha1 = "a376af5c7ae60d29825164db40787f15c80c7c54" +uuid = "a51aa0fd-4e3c-5386-b890-e753decda492" +version = "1.8.3+0" + +[[deps.Xorg_libXinerama_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libXext_jll"] +git-tree-sha1 = "a5bc75478d323358a90dc36766f3c99ba7feb024" +uuid = "d1454406-59df-5ea1-beac-c340f2130bc3" +version = "1.1.6+0" + +[[deps.Xorg_libXrandr_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libXext_jll", "Xorg_libXrender_jll"] +git-tree-sha1 = "aff463c82a773cb86061bce8d53a0d976854923e" +uuid = "ec84b674-ba8e-5d96-8ba1-2a689ba10484" +version = "1.5.5+0" + +[[deps.Xorg_libXrender_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libX11_jll"] +git-tree-sha1 = "7ed9347888fac59a618302ee38216dd0379c480d" +uuid = "ea2f1a96-1ddc-540d-b46f-429655e07cfa" +version = "0.9.12+0" + +[[deps.Xorg_libxcb_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libXau_jll", "Xorg_libXdmcp_jll"] +git-tree-sha1 = "bfcaf7ec088eaba362093393fe11aa141fa15422" +uuid = "c7cfdc94-dc32-55de-ac96-5a1b8d977c5b" +version = "1.17.1+0" + +[[deps.Xorg_libxkbfile_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libX11_jll"] +git-tree-sha1 = "e3150c7400c41e207012b41659591f083f3ef795" +uuid = "cc61e674-0454-545c-8b26-ed2c68acab7a" +version = "1.1.3+0" + +[[deps.Xorg_xcb_util_cursor_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_xcb_util_image_jll", "Xorg_xcb_util_jll", "Xorg_xcb_util_renderutil_jll"] +git-tree-sha1 = "9750dc53819eba4e9a20be42349a6d3b86c7cdf8" +uuid = "e920d4aa-a673-5f3a-b3d7-f755a4d47c43" +version = "0.1.6+0" + +[[deps.Xorg_xcb_util_image_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_xcb_util_jll"] +git-tree-sha1 = "f4fc02e384b74418679983a97385644b67e1263b" +uuid = "12413925-8142-5f55-bb0e-6d7ca50bb09b" +version = "0.4.1+0" + +[[deps.Xorg_xcb_util_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libxcb_jll"] +git-tree-sha1 = "68da27247e7d8d8dafd1fcf0c3654ad6506f5f97" +uuid = "2def613f-5ad1-5310-b15b-b15d46f528f5" +version = "0.4.1+0" + +[[deps.Xorg_xcb_util_keysyms_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_xcb_util_jll"] +git-tree-sha1 = "44ec54b0e2acd408b0fb361e1e9244c60c9c3dd4" +uuid = "975044d2-76e6-5fbe-bf08-97ce7c6574c7" +version = "0.4.1+0" + +[[deps.Xorg_xcb_util_renderutil_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_xcb_util_jll"] +git-tree-sha1 = "5b0263b6d080716a02544c55fdff2c8d7f9a16a0" +uuid = "0d47668e-0667-5a69-a72c-f761630bfb7e" +version = "0.3.10+0" + +[[deps.Xorg_xcb_util_wm_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_xcb_util_jll"] +git-tree-sha1 = "f233c83cad1fa0e70b7771e0e21b061a116f2763" +uuid = "c22f9ab0-d5fe-5066-847c-f4bb1cd4e361" +version = "0.4.2+0" + +[[deps.Xorg_xkbcomp_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libxkbfile_jll"] +git-tree-sha1 = "801a858fc9fb90c11ffddee1801bb06a738bda9b" +uuid = "35661453-b289-5fab-8a00-3d9160c6a3a4" +version = "1.4.7+0" + +[[deps.Xorg_xkeyboard_config_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_xkbcomp_jll"] +git-tree-sha1 = "00af7ebdc563c9217ecc67776d1bbf037dbcebf4" +uuid = "33bec58e-1273-512f-9401-5d533626f822" +version = "2.44.0+0" + +[[deps.Xorg_xtrans_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "a63799ff68005991f9d9491b6e95bd3478d783cb" +uuid = "c5fb5394-a638-5e4d-96e5-b29de1b5cf10" +version = "1.6.0+0" + +[[deps.Zlib_jll]] +deps = ["Libdl"] +uuid = "83775a58-1f1d-513f-b197-d71354ab007a" +version = "1.3.1+2" + +[[deps.Zstd_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "446b23e73536f84e8037f5dce465e92275f6a308" +uuid = "3161d3a3-bdf6-5164-811a-617609db77b4" +version = "1.5.7+1" + +[[deps.eudev_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "c3b0e6196d50eab0c5ed34021aaa0bb463489510" +uuid = "35ca27e7-8b34-5b7f-bca9-bdc33f59eb06" +version = "3.2.14+0" + +[[deps.fzf_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "b6a34e0e0960190ac2a4363a1bd003504772d631" +uuid = "214eeab7-80f7-51ab-84ad-2988db7cef09" +version = "0.61.1+0" + +[[deps.libaom_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "371cc681c00a3ccc3fbc5c0fb91f58ba9bec1ecf" +uuid = "a4ae2306-e953-59d6-aa16-d00cac43593b" +version = "3.13.1+0" + +[[deps.libass_jll]] +deps = ["Artifacts", "Bzip2_jll", "FreeType2_jll", "FriBidi_jll", "HarfBuzz_jll", "JLLWrappers", "Libdl", "Zlib_jll"] +git-tree-sha1 = "125eedcb0a4a0bba65b657251ce1d27c8714e9d6" +uuid = "0ac62f75-1d6f-5e53-bd7c-93b484bb37c0" +version = "0.17.4+0" + +[[deps.libblastrampoline_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "8e850b90-86db-534c-a0d3-1478176c7d93" +version = "5.15.0+0" + +[[deps.libdecor_jll]] +deps = ["Artifacts", "Dbus_jll", "JLLWrappers", "Libdl", "Libglvnd_jll", "Pango_jll", "Wayland_jll", "xkbcommon_jll"] +git-tree-sha1 = "9bf7903af251d2050b467f76bdbe57ce541f7f4f" +uuid = "1183f4f0-6f2a-5f1a-908b-139f9cdfea6f" +version = "0.2.2+0" + +[[deps.libevdev_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "56d643b57b188d30cccc25e331d416d3d358e557" +uuid = "2db6ffa8-e38f-5e21-84af-90c45d0032cc" +version = "1.13.4+0" + +[[deps.libfdk_aac_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "646634dd19587a56ee2f1199563ec056c5f228df" +uuid = "f638f0a6-7fb0-5443-88ba-1cc74229b280" +version = "2.0.4+0" + +[[deps.libinput_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "eudev_jll", "libevdev_jll", "mtdev_jll"] +git-tree-sha1 = "91d05d7f4a9f67205bd6cf395e488009fe85b499" +uuid = "36db933b-70db-51c0-b978-0f229ee0e533" +version = "1.28.1+0" + +[[deps.libpng_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Zlib_jll"] +git-tree-sha1 = "07b6a107d926093898e82b3b1db657ebe33134ec" +uuid = "b53b4c65-9356-5827-b1ea-8c7a1a84506f" +version = "1.6.50+0" + +[[deps.libvorbis_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Ogg_jll"] +git-tree-sha1 = "11e1772e7f3cc987e9d3de991dd4f6b2602663a5" +uuid = "f27f6e37-5d2b-51aa-960f-b287f2bc3b7a" +version = "1.3.8+0" + +[[deps.mtdev_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "b4d631fd51f2e9cdd93724ae25b2efc198b059b1" +uuid = "009596ad-96f7-51b1-9f1b-5ce2d5e8a71e" +version = "1.1.7+0" + +[[deps.nghttp2_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "8e850ede-7688-5339-a07c-302acd2aaf8d" +version = "1.64.0+1" + +[[deps.oneTBB_jll]] +deps = ["Artifacts", "JLLWrappers", "LazyArtifacts", "Libdl"] +git-tree-sha1 = "1350188a69a6e46f799d3945beef36435ed7262f" +uuid = "1317d2d5-d96f-522e-a858-c73665f53c3e" +version = "2022.0.0+1" + +[[deps.p7zip_jll]] +deps = ["Artifacts", "Libdl"] +uuid = "3f19e933-33d8-53b3-aaab-bd5110c3b7a0" +version = "17.5.0+2" + +[[deps.x264_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "14cc7083fc6dff3cc44f2bc435ee96d06ed79aa7" +uuid = "1270edf5-f2f9-52d2-97e9-ab00b5d0237a" +version = "10164.0.1+0" + +[[deps.x265_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl"] +git-tree-sha1 = "e7b67590c14d487e734dcb925924c5dc43ec85f3" +uuid = "dfaa095f-4041-5dcd-9319-2fabd8486b76" +version = "4.1.0+0" + +[[deps.xkbcommon_jll]] +deps = ["Artifacts", "JLLWrappers", "Libdl", "Xorg_libxcb_jll", "Xorg_xkeyboard_config_jll"] +git-tree-sha1 = "fbf139bce07a534df0e699dbb5f5cc9346f95cc1" +uuid = "d8fb68d0-12a3-5cfd-a85a-d49703b185fd" +version = "1.9.2+0" diff --git a/src/resources/extension-subtrees/julia-engine/Project.toml b/src/resources/extension-subtrees/julia-engine/Project.toml new file mode 100644 index 00000000000..f7efb7ebea7 --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/Project.toml @@ -0,0 +1,4 @@ +[deps] +Plots = "91a5bcdd-55d7-5caf-9e0b-520d859cae80" +RDatasets = "ce6b1742-4840-55fa-b093-852dadbb1d8b" +StatsPlots = "f3b207a7-027a-5e70-b257-86293d7955fd" diff --git a/src/resources/extension-subtrees/julia-engine/README.md b/src/resources/extension-subtrees/julia-engine/README.md new file mode 100644 index 00000000000..c443f447251 --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/README.md @@ -0,0 +1,31 @@ +# engine extension for julia in quarto + +Quarto will introduce engine extensions in 1.9, and this is an experimental port of Quarto's Julia engine to the new architecture. + +Install it with + +``` +quarto add gordonwoodhull/quarto-julia-engine +``` + +You'll need the `feature/engine-extension` branch of Quarto, until it's merged. + +## Development + +To build the TypeScript engine extension: + +```bash +quarto call build-ts-extension +``` + +This bundles `src/julia-engine.ts` into `_extensions/julia-engine/julia-engine.js`. + +## Implementation notes + +A few system utilities are replaced with small Deno wrappers at the top of `src/julia-engine.ts`. Deno has a better `delay` but it's not in Quarto's export map currently; it also uses `setTimeout()`. + +There is a new Quarto API for the more significant utilities, such as Jupyter and Markdown functions. Quarto passes the API down in `ExecutionEngineDiscovery.init()` - this may get called multiple times but it will always pass the same Quarto API object. + +The delay in `readTransportFile()` was not awaited previously, so it wasn't effective. Fixing it required making its caller functions async. + +String constants are defined in `src/constants.ts`. diff --git a/src/resources/extension-subtrees/julia-engine/_extensions/julia-engine/_extension.yml b/src/resources/extension-subtrees/julia-engine/_extensions/julia-engine/_extension.yml new file mode 100644 index 00000000000..d97f9d81777 --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/_extensions/julia-engine/_extension.yml @@ -0,0 +1,6 @@ +title: Quarto Julia Engine Extension +version: 0.1.0 +quarto-required: ">=1.9.0" +contributes: + engines: + - path: julia-engine.js diff --git a/src/resources/extension-subtrees/julia-engine/_extensions/julia-engine/julia-engine.js b/src/resources/extension-subtrees/julia-engine/_extensions/julia-engine/julia-engine.js new file mode 100644 index 00000000000..04c4f0a11d3 --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/_extensions/julia-engine/julia-engine.js @@ -0,0 +1,1197 @@ +// deno:https://jsr.io/@std/path/1.0.8/_os.ts +var isWindows = globalThis.Deno?.build.os === "windows" || globalThis.navigator?.platform?.startsWith("Win") || globalThis.process?.platform?.startsWith("win") || false; + +// deno:https://jsr.io/@std/path/1.0.8/_common/assert_path.ts +function assertPath(path) { + if (typeof path !== "string") { + throw new TypeError(`Path must be a string, received "${JSON.stringify(path)}"`); + } +} + +// deno:https://jsr.io/@std/path/1.0.8/_common/constants.ts +var CHAR_UPPERCASE_A = 65; +var CHAR_LOWERCASE_A = 97; +var CHAR_UPPERCASE_Z = 90; +var CHAR_LOWERCASE_Z = 122; +var CHAR_DOT = 46; +var CHAR_FORWARD_SLASH = 47; +var CHAR_BACKWARD_SLASH = 92; +var CHAR_COLON = 58; + +// deno:https://jsr.io/@std/path/1.0.8/posix/_util.ts +function isPosixPathSeparator(code) { + return code === CHAR_FORWARD_SLASH; +} + +// deno:https://jsr.io/@std/path/1.0.8/windows/_util.ts +function isPathSeparator(code) { + return code === CHAR_FORWARD_SLASH || code === CHAR_BACKWARD_SLASH; +} +function isWindowsDeviceRoot(code) { + return code >= CHAR_LOWERCASE_A && code <= CHAR_LOWERCASE_Z || code >= CHAR_UPPERCASE_A && code <= CHAR_UPPERCASE_Z; +} + +// deno:https://jsr.io/@std/path/1.0.8/_common/normalize.ts +function assertArg4(path) { + assertPath(path); + if (path.length === 0) return "."; +} + +// deno:https://jsr.io/@std/path/1.0.8/_common/normalize_string.ts +function normalizeString(path, allowAboveRoot, separator, isPathSeparator2) { + let res = ""; + let lastSegmentLength = 0; + let lastSlash = -1; + let dots = 0; + let code; + for (let i = 0; i <= path.length; ++i) { + if (i < path.length) code = path.charCodeAt(i); + else if (isPathSeparator2(code)) break; + else code = CHAR_FORWARD_SLASH; + if (isPathSeparator2(code)) { + if (lastSlash === i - 1 || dots === 1) { + } else if (lastSlash !== i - 1 && dots === 2) { + if (res.length < 2 || lastSegmentLength !== 2 || res.charCodeAt(res.length - 1) !== CHAR_DOT || res.charCodeAt(res.length - 2) !== CHAR_DOT) { + if (res.length > 2) { + const lastSlashIndex = res.lastIndexOf(separator); + if (lastSlashIndex === -1) { + res = ""; + lastSegmentLength = 0; + } else { + res = res.slice(0, lastSlashIndex); + lastSegmentLength = res.length - 1 - res.lastIndexOf(separator); + } + lastSlash = i; + dots = 0; + continue; + } else if (res.length === 2 || res.length === 1) { + res = ""; + lastSegmentLength = 0; + lastSlash = i; + dots = 0; + continue; + } + } + if (allowAboveRoot) { + if (res.length > 0) res += `${separator}..`; + else res = ".."; + lastSegmentLength = 2; + } + } else { + if (res.length > 0) res += separator + path.slice(lastSlash + 1, i); + else res = path.slice(lastSlash + 1, i); + lastSegmentLength = i - lastSlash - 1; + } + lastSlash = i; + dots = 0; + } else if (code === CHAR_DOT && dots !== -1) { + ++dots; + } else { + dots = -1; + } + } + return res; +} + +// deno:https://jsr.io/@std/path/1.0.8/posix/normalize.ts +function normalize(path) { + assertArg4(path); + const isAbsolute3 = isPosixPathSeparator(path.charCodeAt(0)); + const trailingSeparator = isPosixPathSeparator(path.charCodeAt(path.length - 1)); + path = normalizeString(path, !isAbsolute3, "/", isPosixPathSeparator); + if (path.length === 0 && !isAbsolute3) path = "."; + if (path.length > 0 && trailingSeparator) path += "/"; + if (isAbsolute3) return `/${path}`; + return path; +} + +// deno:https://jsr.io/@std/path/1.0.8/posix/join.ts +function join(...paths) { + if (paths.length === 0) return "."; + paths.forEach((path) => assertPath(path)); + const joined = paths.filter((path) => path.length > 0).join("/"); + return joined === "" ? "." : normalize(joined); +} + +// deno:https://jsr.io/@std/path/1.0.8/windows/normalize.ts +function normalize2(path) { + assertArg4(path); + const len = path.length; + let rootEnd = 0; + let device; + let isAbsolute3 = false; + const code = path.charCodeAt(0); + if (len > 1) { + if (isPathSeparator(code)) { + isAbsolute3 = true; + if (isPathSeparator(path.charCodeAt(1))) { + let j = 2; + let last = j; + for (; j < len; ++j) { + if (isPathSeparator(path.charCodeAt(j))) break; + } + if (j < len && j !== last) { + const firstPart = path.slice(last, j); + last = j; + for (; j < len; ++j) { + if (!isPathSeparator(path.charCodeAt(j))) break; + } + if (j < len && j !== last) { + last = j; + for (; j < len; ++j) { + if (isPathSeparator(path.charCodeAt(j))) break; + } + if (j === len) { + return `\\\\${firstPart}\\${path.slice(last)}\\`; + } else if (j !== last) { + device = `\\\\${firstPart}\\${path.slice(last, j)}`; + rootEnd = j; + } + } + } + } else { + rootEnd = 1; + } + } else if (isWindowsDeviceRoot(code)) { + if (path.charCodeAt(1) === CHAR_COLON) { + device = path.slice(0, 2); + rootEnd = 2; + if (len > 2) { + if (isPathSeparator(path.charCodeAt(2))) { + isAbsolute3 = true; + rootEnd = 3; + } + } + } + } + } else if (isPathSeparator(code)) { + return "\\"; + } + let tail; + if (rootEnd < len) { + tail = normalizeString(path.slice(rootEnd), !isAbsolute3, "\\", isPathSeparator); + } else { + tail = ""; + } + if (tail.length === 0 && !isAbsolute3) tail = "."; + if (tail.length > 0 && isPathSeparator(path.charCodeAt(len - 1))) { + tail += "\\"; + } + if (device === void 0) { + if (isAbsolute3) { + if (tail.length > 0) return `\\${tail}`; + else return "\\"; + } + return tail; + } else if (isAbsolute3) { + if (tail.length > 0) return `${device}\\${tail}`; + else return `${device}\\`; + } + return device + tail; +} + +// deno:https://jsr.io/@std/path/1.0.8/windows/join.ts +function join2(...paths) { + paths.forEach((path) => assertPath(path)); + paths = paths.filter((path) => path.length > 0); + if (paths.length === 0) return "."; + let needsReplace = true; + let slashCount = 0; + const firstPart = paths[0]; + if (isPathSeparator(firstPart.charCodeAt(0))) { + ++slashCount; + const firstLen = firstPart.length; + if (firstLen > 1) { + if (isPathSeparator(firstPart.charCodeAt(1))) { + ++slashCount; + if (firstLen > 2) { + if (isPathSeparator(firstPart.charCodeAt(2))) ++slashCount; + else { + needsReplace = false; + } + } + } + } + } + let joined = paths.join("\\"); + if (needsReplace) { + for (; slashCount < joined.length; ++slashCount) { + if (!isPathSeparator(joined.charCodeAt(slashCount))) break; + } + if (slashCount >= 2) joined = `\\${joined.slice(slashCount)}`; + } + return normalize2(joined); +} + +// deno:https://jsr.io/@std/path/1.0.8/join.ts +function join3(...paths) { + return isWindows ? join2(...paths) : join(...paths); +} + +// deno:https://jsr.io/@std/path/1.0.8/posix/resolve.ts +function resolve(...pathSegments) { + let resolvedPath = ""; + let resolvedAbsolute = false; + for (let i = pathSegments.length - 1; i >= -1 && !resolvedAbsolute; i--) { + let path; + if (i >= 0) path = pathSegments[i]; + else { + const { Deno: Deno2 } = globalThis; + if (typeof Deno2?.cwd !== "function") { + throw new TypeError("Resolved a relative path without a current working directory (CWD)"); + } + path = Deno2.cwd(); + } + assertPath(path); + if (path.length === 0) { + continue; + } + resolvedPath = `${path}/${resolvedPath}`; + resolvedAbsolute = isPosixPathSeparator(path.charCodeAt(0)); + } + resolvedPath = normalizeString(resolvedPath, !resolvedAbsolute, "/", isPosixPathSeparator); + if (resolvedAbsolute) { + if (resolvedPath.length > 0) return `/${resolvedPath}`; + else return "/"; + } else if (resolvedPath.length > 0) return resolvedPath; + else return "."; +} + +// deno:https://jsr.io/@std/path/1.0.8/windows/resolve.ts +function resolve2(...pathSegments) { + let resolvedDevice = ""; + let resolvedTail = ""; + let resolvedAbsolute = false; + for (let i = pathSegments.length - 1; i >= -1; i--) { + let path; + const { Deno: Deno2 } = globalThis; + if (i >= 0) { + path = pathSegments[i]; + } else if (!resolvedDevice) { + if (typeof Deno2?.cwd !== "function") { + throw new TypeError("Resolved a drive-letter-less path without a current working directory (CWD)"); + } + path = Deno2.cwd(); + } else { + if (typeof Deno2?.env?.get !== "function" || typeof Deno2?.cwd !== "function") { + throw new TypeError("Resolved a relative path without a current working directory (CWD)"); + } + path = Deno2.cwd(); + if (path === void 0 || path.slice(0, 3).toLowerCase() !== `${resolvedDevice.toLowerCase()}\\`) { + path = `${resolvedDevice}\\`; + } + } + assertPath(path); + const len = path.length; + if (len === 0) continue; + let rootEnd = 0; + let device = ""; + let isAbsolute3 = false; + const code = path.charCodeAt(0); + if (len > 1) { + if (isPathSeparator(code)) { + isAbsolute3 = true; + if (isPathSeparator(path.charCodeAt(1))) { + let j = 2; + let last = j; + for (; j < len; ++j) { + if (isPathSeparator(path.charCodeAt(j))) break; + } + if (j < len && j !== last) { + const firstPart = path.slice(last, j); + last = j; + for (; j < len; ++j) { + if (!isPathSeparator(path.charCodeAt(j))) break; + } + if (j < len && j !== last) { + last = j; + for (; j < len; ++j) { + if (isPathSeparator(path.charCodeAt(j))) break; + } + if (j === len) { + device = `\\\\${firstPart}\\${path.slice(last)}`; + rootEnd = j; + } else if (j !== last) { + device = `\\\\${firstPart}\\${path.slice(last, j)}`; + rootEnd = j; + } + } + } + } else { + rootEnd = 1; + } + } else if (isWindowsDeviceRoot(code)) { + if (path.charCodeAt(1) === CHAR_COLON) { + device = path.slice(0, 2); + rootEnd = 2; + if (len > 2) { + if (isPathSeparator(path.charCodeAt(2))) { + isAbsolute3 = true; + rootEnd = 3; + } + } + } + } + } else if (isPathSeparator(code)) { + rootEnd = 1; + isAbsolute3 = true; + } + if (device.length > 0 && resolvedDevice.length > 0 && device.toLowerCase() !== resolvedDevice.toLowerCase()) { + continue; + } + if (resolvedDevice.length === 0 && device.length > 0) { + resolvedDevice = device; + } + if (!resolvedAbsolute) { + resolvedTail = `${path.slice(rootEnd)}\\${resolvedTail}`; + resolvedAbsolute = isAbsolute3; + } + if (resolvedAbsolute && resolvedDevice.length > 0) break; + } + resolvedTail = normalizeString(resolvedTail, !resolvedAbsolute, "\\", isPathSeparator); + return resolvedDevice + (resolvedAbsolute ? "\\" : "") + resolvedTail || "."; +} + +// deno:https://jsr.io/@std/path/1.0.8/resolve.ts +function resolve3(...pathSegments) { + return isWindows ? resolve2(...pathSegments) : resolve(...pathSegments); +} + +// deno:https://jsr.io/@std/fs/1.0.16/exists.ts +function existsSync(path, options) { + try { + const stat = Deno.statSync(path); + if (options && (options.isReadable || options.isDirectory || options.isFile)) { + if (options.isDirectory && options.isFile) { + throw new TypeError("ExistsOptions.options.isDirectory and ExistsOptions.options.isFile must not be true together"); + } + if (options.isDirectory && !stat.isDirectory || options.isFile && !stat.isFile) { + return false; + } + if (options.isReadable) { + return fileIsReadable(stat); + } + } + return true; + } catch (error) { + if (error instanceof Deno.errors.NotFound) { + return false; + } + if (error instanceof Deno.errors.PermissionDenied) { + if (Deno.permissions.querySync({ + name: "read", + path + }).state === "granted") { + return !options?.isReadable; + } + } + throw error; + } +} +function fileIsReadable(stat) { + if (stat.mode === null) { + return true; + } else if (Deno.uid() === stat.uid) { + return (stat.mode & 256) === 256; + } else if (Deno.gid() === stat.gid) { + return (stat.mode & 32) === 32; + } + return (stat.mode & 4) === 4; +} + +// deno:https://jsr.io/@std/encoding/1.0.9/_common64.ts +var padding = "=".charCodeAt(0); +var alphabet = { + Base64: new TextEncoder().encode("ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/"), + Base64Url: new TextEncoder().encode("ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_") +}; +var rAlphabet = { + Base64: new Uint8Array(128).fill(64), + Base64Url: new Uint8Array(128).fill(64) +}; +alphabet.Base64.forEach((byte, i) => rAlphabet.Base64[byte] = i); +alphabet.Base64Url.forEach((byte, i) => rAlphabet.Base64Url[byte] = i); +function calcSizeBase64(originalSize) { + return ((originalSize + 2) / 3 | 0) * 4; +} +function encode(buffer, i, o, alphabet3, padding3) { + i += 2; + for (; i < buffer.length; i += 3) { + const x = buffer[i - 2] << 16 | buffer[i - 1] << 8 | buffer[i]; + buffer[o++] = alphabet3[x >> 18]; + buffer[o++] = alphabet3[x >> 12 & 63]; + buffer[o++] = alphabet3[x >> 6 & 63]; + buffer[o++] = alphabet3[x & 63]; + } + switch (i) { + case buffer.length + 1: { + const x = buffer[i - 2] << 16; + buffer[o++] = alphabet3[x >> 18]; + buffer[o++] = alphabet3[x >> 12 & 63]; + buffer[o++] = padding3; + buffer[o++] = padding3; + break; + } + case buffer.length: { + const x = buffer[i - 2] << 16 | buffer[i - 1] << 8; + buffer[o++] = alphabet3[x >> 18]; + buffer[o++] = alphabet3[x >> 12 & 63]; + buffer[o++] = alphabet3[x >> 6 & 63]; + buffer[o++] = padding3; + break; + } + } + return o; +} + +// deno:https://jsr.io/@std/encoding/1.0.9/_common_detach.ts +function detach(buffer, maxSize) { + const originalSize = buffer.length; + if (buffer.byteOffset) { + const b = new Uint8Array(buffer.buffer); + b.set(buffer); + buffer = b.subarray(0, originalSize); + } + buffer = new Uint8Array(buffer.buffer.transfer(maxSize)); + buffer.set(buffer.subarray(0, originalSize), maxSize - originalSize); + return [ + buffer, + maxSize - originalSize + ]; +} + +// deno:https://jsr.io/@std/encoding/1.0.9/base64.ts +var padding2 = "=".charCodeAt(0); +var alphabet2 = new TextEncoder().encode("ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/"); +var rAlphabet2 = new Uint8Array(128).fill(64); +alphabet2.forEach((byte, i) => rAlphabet2[byte] = i); +function encodeBase64(data) { + if (typeof data === "string") { + data = new TextEncoder().encode(data); + } else if (data instanceof ArrayBuffer) data = new Uint8Array(data).slice(); + else data = data.slice(); + const [output, i] = detach(data, calcSizeBase64(data.length)); + encode(output, i, 0, alphabet2, padding2); + return new TextDecoder().decode(output); +} + +// src/constants.ts +var kJuliaEngine = "julia"; +var kExecuteDaemon = "daemon"; +var kExecuteDaemonRestart = "daemon-restart"; +var kExecuteDebug = "debug"; +var kFigDpi = "fig-dpi"; +var kFigFormat = "fig-format"; +var kFigPos = "fig-pos"; +var kIpynbProduceSourceNotebook = "produce-source-notebook"; +var kKeepHidden = "keep-hidden"; + +// src/julia-engine.ts +var isWindows2 = Deno.build.os === "windows"; +var quarto; +function safeRemoveSync(file, options = {}) { + try { + Deno.removeSync(file, options); + } catch (e) { + if (existsSync(file)) { + throw e; + } + } +} +var delay = (ms) => new Promise((resolve4) => setTimeout(resolve4, ms)); +var juliaEngineDiscovery = { + init: (quartoAPI) => { + quarto = quartoAPI; + }, + name: kJuliaEngine, + defaultExt: ".qmd", + defaultYaml: () => [], + defaultContent: () => [ + "```{julia}", + "1 + 1", + "```" + ], + validExtensions: () => [], + claimsFile: (file, _ext) => { + return quarto.jupyter.isPercentScript(file, [ + ".jl" + ]); + }, + claimsLanguage: (language) => { + return language.toLowerCase() === "julia"; + }, + canFreeze: true, + generatesFigures: true, + ignoreDirs: () => { + return []; + }, + /** + * Populate engine-specific CLI commands + */ + populateCommand: (command) => populateJuliaEngineCommand(command), + /** + * Check Julia installation + */ + checkInstallation: async () => { + await quarto.console.withSpinner({ + message: "Checking Julia installation..." + }, async () => { + await delay(3e3); + }); + }, + /** + * Launch a dynamic execution engine with project context + */ + launch: (context) => { + return { + name: juliaEngineDiscovery.name, + canFreeze: juliaEngineDiscovery.canFreeze, + partitionedMarkdown: (file) => { + return Promise.resolve(quarto.markdownRegex.partition(Deno.readTextFileSync(file))); + }, + // TODO: ask dragonstyle what to do here + executeTargetSkipped: () => false, + // TODO: just return dependencies from execute and this can do nothing + dependencies: (_options) => { + const includes = {}; + return Promise.resolve({ + includes + }); + }, + // TODO: this can also probably do nothing + postprocess: (_options) => { + return Promise.resolve(); + }, + canKeepSource: (_target) => { + return true; + }, + markdownForFile(file) { + if (quarto.jupyter.isPercentScript(file, [ + ".jl" + ])) { + return Promise.resolve(quarto.mappedString.fromString(quarto.jupyter.percentScriptToMarkdown(file))); + } else { + return Promise.resolve(quarto.mappedString.fromFile(file)); + } + }, + execute: async (options) => { + options.target.source; + let executeDaemon = options.format.execute[kExecuteDaemon]; + if (executeDaemon === null || executeDaemon === void 0) { + executeDaemon = quarto.system.isInteractiveSession() && !quarto.system.runningInCI(); + } + const execOptions = { + ...options, + target: { + ...options.target, + input: quarto.path.absolute(options.target.input) + } + }; + const juliaExecOptions = { + oneShot: !executeDaemon, + ...execOptions + }; + const nb = await executeJulia(juliaExecOptions); + if (!nb) { + quarto.console.error("Execution of notebook returned undefined"); + return Promise.reject(); + } + nb.metadata.kernelspec = { + display_name: "Julia", + name: "julia", + language: "julia" + }; + const assets = quarto.jupyter.assets(options.target.input, options.format.pandoc.to); + const result = await quarto.jupyter.toMarkdown(nb, { + executeOptions: options, + language: nb.metadata.kernelspec.language.toLowerCase(), + assets, + execute: options.format.execute, + keepHidden: options.format.render[kKeepHidden], + toHtml: quarto.format.isHtmlCompatible(options.format), + toLatex: quarto.format.isLatexOutput(options.format.pandoc), + toMarkdown: quarto.format.isMarkdownOutput(options.format), + toIpynb: quarto.format.isIpynbOutput(options.format.pandoc), + toPresentation: quarto.format.isPresentationOutput(options.format.pandoc), + figFormat: options.format.execute[kFigFormat], + figDpi: options.format.execute[kFigDpi], + figPos: options.format.render[kFigPos], + // preserveCellMetadata, + preserveCodeCellYaml: options.format.render[kIpynbProduceSourceNotebook] === true + }); + let includes; + let engineDependencies; + if (options.dependencies) { + includes = quarto.jupyter.resultIncludes(options.tempDir, result.dependencies); + } else { + const dependencies = quarto.jupyter.resultEngineDependencies(result.dependencies); + if (dependencies) { + engineDependencies = { + [kJuliaEngine]: dependencies + }; + } + } + const outputs = result.cellOutputs.map((output) => output.markdown); + if (result.notebookOutputs) { + if (result.notebookOutputs.prefix) { + outputs.unshift(result.notebookOutputs.prefix); + } + if (result.notebookOutputs.suffix) { + outputs.push(result.notebookOutputs.suffix); + } + } + const markdown = outputs.join(""); + return { + engine: kJuliaEngine, + markdown, + supporting: [ + join3(assets.base_dir, assets.supporting_dir) + ], + filters: [], + pandoc: result.pandoc, + includes, + engineDependencies, + preserve: result.htmlPreserve, + postProcess: result.htmlPreserve && Object.keys(result.htmlPreserve).length > 0 + }; + }, + target: (file, _quiet, markdown) => { + if (markdown === void 0) { + markdown = quarto.mappedString.fromFile(file); + } + const target = { + source: file, + input: file, + markdown, + metadata: quarto.markdownRegex.extractYaml(markdown.value) + }; + return Promise.resolve(target); + } + }; + } +}; +var julia_engine_default = juliaEngineDiscovery; +function juliaCmd() { + return Deno.env.get("QUARTO_JULIA") ?? "julia"; +} +function powershell_argument_list_to_string(...args) { + const inner = args.map((arg) => `"${arg}"`).join(" "); + return `'${inner}'`; +} +async function startOrReuseJuliaServer(options) { + const transportFile = juliaTransportFile(); + if (!existsSync(transportFile)) { + trace(options, `Transport file ${transportFile} doesn't exist`); + quarto.console.info("Starting julia control server process. This might take a while..."); + let juliaProject = Deno.env.get("QUARTO_JULIA_PROJECT"); + if (juliaProject === void 0) { + await ensureQuartoNotebookRunnerEnvironment(options); + juliaProject = quarto.path.runtime("julia"); + } else { + juliaProject = quarto.path.toForwardSlashes(juliaProject); + trace(options, `Custom julia project set via QUARTO_JULIA_PROJECT="${juliaProject}". Checking if QuartoNotebookRunner can be loaded.`); + const qnrTestCommand = new Deno.Command(juliaCmd(), { + args: [ + "--startup-file=no", + `--project=${juliaProject}`, + "-e", + "using QuartoNotebookRunner" + ], + env: { + // ignore the main env + "JULIA_LOAD_PATH": isWindows2 ? "@;@stdlib" : "@:@stdlib" + } + }); + const qnrTestProc = qnrTestCommand.spawn(); + const result = await qnrTestProc.output(); + if (!result.success) { + throw Error(`Executing \`using QuartoNotebookRunner\` failed with QUARTO_JULIA_PROJECT="${juliaProject}". Ensure that this project exists, has QuartoNotebookRunner installed and is instantiated correctly.`); + } + trace(options, `QuartoNotebookRunner could be loaded successfully.`); + } + if (isWindows2) { + const command = new Deno.Command("PowerShell", { + args: [ + "-Command", + "Start-Process", + juliaCmd(), + "-ArgumentList", + powershell_argument_list_to_string("--startup-file=no", `--project=${juliaProject}`, quarto.path.resource("julia", "quartonotebookrunner.jl"), transportFile, juliaServerLogFile()), + "-WindowStyle", + "Hidden" + ], + env: { + "JULIA_LOAD_PATH": "@;@stdlib" + } + }); + trace(options, "Starting detached julia server through powershell, once transport file exists, server should be running."); + const result = command.outputSync(); + if (!result.success) { + throw new Error(new TextDecoder().decode(result.stderr)); + } + } else { + const command = new Deno.Command(juliaCmd(), { + args: [ + "--startup-file=no", + quarto.path.resource("julia", "start_quartonotebookrunner_detached.jl"), + juliaCmd(), + juliaProject, + quarto.path.resource("julia", "quartonotebookrunner.jl"), + transportFile, + juliaServerLogFile() + ], + env: { + "JULIA_LOAD_PATH": "@:@stdlib" + } + }); + trace(options, "Starting detached julia server through julia, once transport file exists, server should be running."); + const result = command.outputSync(); + if (!result.success) { + throw new Error(new TextDecoder().decode(result.stderr)); + } + } + } else { + trace(options, `Transport file ${transportFile} exists, reusing server.`); + return { + reused: true + }; + } + return { + reused: false + }; +} +async function ensureQuartoNotebookRunnerEnvironment(options) { + const runtimeDir = quarto.path.runtime("julia"); + const projectTomlTemplate = quarto.path.resource("julia", "Project.toml"); + const projectToml = join3(runtimeDir, "Project.toml"); + Deno.writeFileSync(projectToml, Deno.readFileSync(projectTomlTemplate)); + const command = new Deno.Command(juliaCmd(), { + args: [ + "--startup-file=no", + `--project=${runtimeDir}`, + quarto.path.resource("julia", "ensure_environment.jl") + ] + }); + const proc = command.spawn(); + const { success } = await proc.output(); + if (!success) { + throw new Error("Ensuring an updated julia server environment failed"); + } + return Promise.resolve(); +} +async function pollTransportFile(options) { + const transportFile = juliaTransportFile(); + for (let i = 0; i < 15; i++) { + if (existsSync(transportFile)) { + const transportOptions = await readTransportFile(transportFile); + trace(options, "Transport file read successfully."); + return transportOptions; + } + trace(options, "Transport file did not exist, yet."); + await delay(i * 100); + } + return Promise.reject(); +} +async function readTransportFile(transportFile) { + let content = Deno.readTextFileSync(transportFile); + let i = 0; + while (i < 20 && !content.endsWith("\n")) { + await delay(100); + content = Deno.readTextFileSync(transportFile); + i += 1; + } + if (!content.endsWith("\n")) { + throw "Read invalid transport file that did not end with a newline"; + } + return JSON.parse(content); +} +async function getReadyServerConnection(transportOptions, executeOptions) { + const conn = await Deno.connect({ + port: transportOptions.port + }); + const isready = writeJuliaCommand(conn, { + type: "isready", + content: {} + }, transportOptions.key, executeOptions); + const timeoutMilliseconds = 1e4; + const timeout = new Promise((accept, _) => setTimeout(() => { + accept(`Timed out after getting no response for ${timeoutMilliseconds} milliseconds.`); + }, timeoutMilliseconds)); + const result = await Promise.race([ + isready, + timeout + ]); + if (typeof result === "string") { + return result; + } else if (result !== true) { + conn.close(); + return `Expected isready command to return true, returned ${isready} instead. Closing connection.`; + } else { + return conn; + } +} +async function getJuliaServerConnection(options) { + const { reused } = await startOrReuseJuliaServer(options); + let transportOptions; + try { + transportOptions = await pollTransportFile(options); + } catch (err) { + if (!reused) { + quarto.console.info("No transport file was found after the timeout. This is the log from the server process:"); + quarto.console.info("#### BEGIN LOG ####"); + printJuliaServerLog(); + quarto.console.info("#### END LOG ####"); + } + throw err; + } + if (!reused) { + quarto.console.info("Julia server process started."); + } + trace(options, `Connecting to server at port ${transportOptions.port}, pid ${transportOptions.pid}`); + try { + const conn = await getReadyServerConnection(transportOptions, options); + if (typeof conn === "string") { + throw new Error(conn); + } else { + return conn; + } + } catch (e) { + if (reused) { + trace(options, "Connecting to server failed, a transport file was reused so it might be stale. Delete transport file and retry."); + safeRemoveSync(juliaTransportFile()); + return await getJuliaServerConnection(options); + } else { + quarto.console.error("Connecting to server failed. A transport file was successfully created by the server process, so something in the server process might be broken."); + throw e; + } + } +} +function firstSignificantLine(str, n) { + const lines = str.split("\n"); + for (const line of lines) { + const trimmedLine = line.trim(); + if (!trimmedLine.startsWith("#|") && trimmedLine !== "") { + if (trimmedLine.length <= n) { + return trimmedLine; + } else { + return trimmedLine.substring(0, n - 1) + "\u2026"; + } + } + } + return ""; +} +function getConsoleColumns() { + try { + return Deno.consoleSize().columns ?? null; + } catch (_error) { + return null; + } +} +function buildSourceRanges(markdown) { + const lines = quarto.mappedString.splitLines(markdown); + const sourceRanges = []; + let currentRange = null; + lines.forEach((line, index) => { + const mapResult = line.map(0, true); + if (mapResult) { + const { originalString } = mapResult; + const lineCol = quarto.mappedString.indexToLineCol(originalString, mapResult.index); + const fileName = originalString.fileName ? resolve3(originalString.fileName) : void 0; + const sourceLineNum = lineCol.line; + if (currentRange && currentRange.file === fileName && fileName !== void 0 && currentRange.sourceLines && currentRange.sourceLines[1] === sourceLineNum) { + currentRange.lines[1] = index + 1; + currentRange.sourceLines[1] = sourceLineNum + 1; + } else { + if (currentRange) { + sourceRanges.push(currentRange); + } + currentRange = { + lines: [ + index + 1, + index + 1 + ] + }; + if (fileName !== void 0) { + currentRange.file = fileName; + currentRange.sourceLines = [ + sourceLineNum + 1, + sourceLineNum + 1 + ]; + } + } + } else { + if (currentRange) { + sourceRanges.push(currentRange); + currentRange = null; + } + } + }); + if (currentRange) { + sourceRanges.push(currentRange); + } + return sourceRanges; +} +async function executeJulia(options) { + const conn = await getJuliaServerConnection(options); + const transportOptions = await pollTransportFile(options); + const file = options.target.input; + if (options.oneShot || options.format.execute[kExecuteDaemonRestart]) { + const isopen = await writeJuliaCommand(conn, { + type: "isopen", + content: { + file + } + }, transportOptions.key, options); + if (isopen) { + await writeJuliaCommand(conn, { + type: "close", + content: { + file + } + }, transportOptions.key, options); + } + } + const sourceRanges = buildSourceRanges(options.target.markdown); + const response = await writeJuliaCommand(conn, { + type: "run", + content: { + file, + options, + sourceRanges + } + }, transportOptions.key, options, (update) => { + const n = update.nChunks.toString(); + const i = update.chunkIndex.toString(); + const i_padded = `${" ".repeat(n.length - i.length)}${i}`; + const ncols = getConsoleColumns() ?? 80; + const firstPart = `Running [${i_padded}/${n}] at line ${update.line}: `; + const firstPartLength = firstPart.length; + const sigLine = firstSignificantLine(update.source, Math.max(0, ncols - firstPartLength)); + quarto.console.info(`${firstPart}${sigLine}`); + }); + if (options.oneShot) { + await writeJuliaCommand(conn, { + type: "close", + content: { + file + } + }, transportOptions.key, options); + } + return response.notebook; +} +function isProgressUpdate(data) { + return data && data.type === "progress_update"; +} +function isServerCommandError(data) { + return data && typeof data.error === "string"; +} +async function writeJuliaCommand(conn, command, secret, options, onProgressUpdate) { + const payload = JSON.stringify(command); + const key = await crypto.subtle.importKey("raw", new TextEncoder().encode(secret), { + name: "HMAC", + hash: "SHA-256" + }, true, [ + "sign" + ]); + const canonicalRequestBytes = new TextEncoder().encode(payload); + const signatureArrayBuffer = await crypto.subtle.sign("HMAC", key, canonicalRequestBytes); + const signatureBytes = new Uint8Array(signatureArrayBuffer); + const hmac = encodeBase64(signatureBytes); + const message = JSON.stringify({ + hmac, + payload + }) + "\n"; + const messageBytes = new TextEncoder().encode(message); + trace(options, `write command "${command.type}" to socket server`); + const bytesWritten = await conn.write(messageBytes); + if (bytesWritten !== messageBytes.length) { + throw new Error("Internal Error"); + } + let restOfPreviousResponse = new Uint8Array(512); + let restLength = 0; + while (true) { + const respArray = []; + let respLength = 0; + let response = ""; + const newlineAt = restOfPreviousResponse.indexOf(10); + if (newlineAt !== -1 && newlineAt < restLength) { + response = new TextDecoder().decode(restOfPreviousResponse.slice(0, newlineAt)); + restOfPreviousResponse.set(restOfPreviousResponse.slice(newlineAt + 1, restLength)); + restLength -= newlineAt + 1; + } else { + respArray.push(restOfPreviousResponse.slice(0, restLength)); + respLength += restLength; + while (true) { + const buffer = new Uint8Array(512); + const bytesRead = await conn.read(buffer); + if (bytesRead === null) { + break; + } + if (bytesRead > 0) { + const bufferNewlineAt = buffer.indexOf(10); + if (bufferNewlineAt === -1 || bufferNewlineAt >= bytesRead) { + respArray.push(buffer.slice(0, bytesRead)); + restLength = 0; + respLength += bytesRead; + } else { + respArray.push(buffer.slice(0, bufferNewlineAt)); + respLength += bufferNewlineAt; + restOfPreviousResponse.set(buffer.slice(bufferNewlineAt + 1, bytesRead)); + restLength = bytesRead - bufferNewlineAt - 1; + let respBuffer = new Uint8Array(respLength); + let offset = 0; + respArray.forEach((item) => { + respBuffer.set(item, offset); + offset += item.length; + }); + response = new TextDecoder().decode(respBuffer); + break; + } + } + } + } + trace(options, "received server response"); + const json = response.split("\n")[0]; + const responseData = JSON.parse(json); + if (isServerCommandError(responseData)) { + const data2 = responseData; + let errorMessage = `Julia server returned error after receiving "${command.type}" command: + +${data2.error}`; + if (data2.juliaError) { + errorMessage += ` + +The underlying Julia error was: + +${data2.juliaError}`; + } + throw new Error(errorMessage); + } + let data; + if (command.type === "run") { + const data_or_update = responseData; + if (isProgressUpdate(data_or_update)) { + const update = data_or_update; + trace(options, "received progress update response, listening for further responses"); + if (onProgressUpdate !== void 0) { + onProgressUpdate(update); + } + continue; + } else { + data = data_or_update; + } + } else { + data = responseData; + } + return data; + } +} +function juliaRuntimeDir() { + try { + return quarto.path.runtime("julia"); + } catch (e) { + quarto.console.error("Could not create julia runtime directory."); + quarto.console.error("This is possibly a permission issue in the environment Quarto is running in."); + quarto.console.error("Please consult the following documentation for more information:"); + quarto.console.error("https://github.com/quarto-dev/quarto-cli/issues/4594#issuecomment-1619177667"); + throw e; + } +} +function juliaTransportFile() { + return join3(juliaRuntimeDir(), "julia_transport.txt"); +} +function juliaServerLogFile() { + return join3(juliaRuntimeDir(), "julia_server_log.txt"); +} +function trace(options, msg) { + if (options.format?.execute[kExecuteDebug] === true) { + quarto.console.info("- " + msg, { + bold: true + }); + } +} +function populateJuliaEngineCommand(command) { + command.command("status", "Status").description("Get status information on the currently running Julia server process.").action(logStatus).command("kill", "Kill server").description("Kill the control server if it is currently running. This will also kill all notebook worker processes.").action(killJuliaServer).command("log", "Print julia server log").description("Print the content of the julia server log file if it exists which can be used to diagnose problems.").action(printJuliaServerLog).command("close", "Close the worker for a given notebook. If it is currently running, it will not be interrupted.").arguments("").option("-f, --force", "Force closing. This will terminate the worker if it is running.", { + default: false + }).action(async (options, file) => { + await closeWorker(file, options.force); + }).command("stop", "Stop the server").description("Send a message to the server that it should close all notebooks and exit. This will fail if any notebooks are not idle.").action(stopServer); + return; +} +async function logStatus() { + const transportFile = juliaTransportFile(); + if (!existsSync(transportFile)) { + quarto.console.info("Julia control server is not running."); + return; + } + const transportOptions = await readTransportFile(transportFile); + const conn = await getReadyServerConnection(transportOptions, {}); + const successfullyConnected = typeof conn !== "string"; + if (successfullyConnected) { + const status = await writeJuliaCommand(conn, { + type: "status", + content: {} + }, transportOptions.key, {}); + Deno.stdout.writeSync(new TextEncoder().encode(status)); + conn.close(); + } else { + quarto.console.info(`Found transport file but can't connect to control server.`); + } +} +async function killJuliaServer() { + const transportFile = juliaTransportFile(); + if (!existsSync(transportFile)) { + quarto.console.info("Julia control server is not running."); + return; + } + const transportOptions = await readTransportFile(transportFile); + Deno.kill(transportOptions.pid, "SIGTERM"); + quarto.console.info("Sent SIGTERM to server process"); +} +function printJuliaServerLog() { + if (existsSync(juliaServerLogFile())) { + Deno.stdout.writeSync(Deno.readFileSync(juliaServerLogFile())); + } else { + quarto.console.info("Server log file doesn't exist"); + } + return; +} +async function connectAndWriteJuliaCommandToRunningServer(command) { + const transportFile = juliaTransportFile(); + if (!existsSync(transportFile)) { + throw new Error("Julia control server is not running."); + } + const transportOptions = await readTransportFile(transportFile); + const conn = await getReadyServerConnection(transportOptions, {}); + const successfullyConnected = typeof conn !== "string"; + if (successfullyConnected) { + const result = await writeJuliaCommand(conn, command, transportOptions.key, {}); + conn.close(); + return result; + } else { + throw new Error(`Found transport file but can't connect to control server.`); + } +} +async function closeWorker(file, force) { + const absfile = quarto.path.absolute(file); + await connectAndWriteJuliaCommandToRunningServer({ + type: force ? "forceclose" : "close", + content: { + file: absfile + } + }); + quarto.console.info(`Worker ${force ? "force-" : ""}closed successfully.`); +} +async function stopServer() { + const result = await connectAndWriteJuliaCommandToRunningServer({ + type: "stop", + content: {} + }); + quarto.console.info(result.message); +} +export { + julia_engine_default as default, + juliaEngineDiscovery, + juliaServerLogFile, + juliaTransportFile +}; diff --git a/src/resources/extension-subtrees/julia-engine/_quarto.yml b/src/resources/extension-subtrees/julia-engine/_quarto.yml new file mode 100644 index 00000000000..b8bae5830fa --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/_quarto.yml @@ -0,0 +1,2 @@ +project: + type: default diff --git a/src/resources/extension-subtrees/julia-engine/example.qmd b/src/resources/extension-subtrees/julia-engine/example.qmd new file mode 100644 index 00000000000..449ad1232eb --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/example.qmd @@ -0,0 +1,80 @@ +--- +title: "Julia Violin Plots Example" +author: us.anthropic.claude-sonnet-4-5-20250929-v1:0 +format: + html: + code-fold: true + fig-width: 7 + fig-height: 5 + fig-format: svg + fig-responsive: true + html-math-method: katex + code-tools: true +engine: julia +--- + +## Iris Dataset Visualization + +This example demonstrates how to create violin plots with Julia. We'll visualize the famous Iris dataset which contains measurements for three species of iris flowers. + +```{julia} +#| label: fig-violin-grid +# Load required packages +using RDatasets +using Plots +using StatsPlots + +# Load the Iris dataset +iris = dataset("datasets", "iris") + +# Create four violin plots - one for each measurement +p1 = @df iris violin(:Species, :SepalLength, + legend=false, + ylabel="Sepal Length (cm)", + fillalpha=0.7, + title="Sepal Length", + size=(300, 250)) + +p2 = @df iris violin(:Species, :SepalWidth, + legend=false, + ylabel="Sepal Width (cm)", + fillalpha=0.7, + color=:green, + title="Sepal Width", + size=(300, 250)) + +p3 = @df iris violin(:Species, :PetalLength, + legend=false, + ylabel="Petal Length (cm)", + fillalpha=0.7, + color=:orange, + title="Petal Length", + size=(300, 250)) + +p4 = @df iris violin(:Species, :PetalWidth, + legend=false, + ylabel="Petal Width (cm)", + fillalpha=0.7, + color=:red, + title="Petal Width", + size=(300, 250)) + +plot(p1, p2, p3, p4, + layout=(2,2), + size=(800, 800), + titlefontsize=10, + guidefontsize=9, + tickfontsize=7) +``` + +::: {.callout-note} +## What is a violin plot? + +A violin plot shows the distribution of data across categories. The width of each "violin" represents the density of data points at that value, making it easy to compare distributions between groups. + +In this example, we can see that: + +- *Setosa* has the shortest petals but widest sepals +- *Virginica* has the longest petals and sepals +- *Versicolor* falls between the other two species for most measurements +::: \ No newline at end of file diff --git a/src/resources/extension-subtrees/julia-engine/src/constants.ts b/src/resources/extension-subtrees/julia-engine/src/constants.ts new file mode 100644 index 00000000000..1664bf2c2fe --- /dev/null +++ b/src/resources/extension-subtrees/julia-engine/src/constants.ts @@ -0,0 +1,15 @@ +/* + * constants.ts + * + * Constants for Julia engine extension + */ + +export const kJuliaEngine = "julia"; +export const kExecuteDaemon = "daemon"; +export const kExecuteDaemonRestart = "daemon-restart"; +export const kExecuteDebug = "debug"; +export const kFigDpi = "fig-dpi"; +export const kFigFormat = "fig-format"; +export const kFigPos = "fig-pos"; +export const kIpynbProduceSourceNotebook = "produce-source-notebook"; +export const kKeepHidden = "keep-hidden"; diff --git a/src/execute/julia.ts b/src/resources/extension-subtrees/julia-engine/src/julia-engine.ts similarity index 69% rename from src/execute/julia.ts rename to src/resources/extension-subtrees/julia-engine/src/julia-engine.ts index f8af297f9bd..df2b164dcbe 100644 --- a/src/execute/julia.ts +++ b/src/resources/extension-subtrees/julia-engine/src/julia-engine.ts @@ -1,25 +1,32 @@ -import { error, info } from "../deno_ral/log.ts"; -import { join } from "../deno_ral/path.ts"; -import { MappedString, mappedStringFromFile } from "../core/mapped-text.ts"; -import { partitionMarkdown } from "../core/pandoc/pandoc-partition.ts"; -import { readYamlFromMarkdown } from "../core/yaml.ts"; -import { - asMappedString, - mappedIndexToLineCol, - mappedLines, -} from "../core/lib/mapped-text.ts"; -import { ProjectContext } from "../project/types.ts"; -import { +/* + * julia-engine.ts + * + * Quarto engine extension for Julia + */ + +// Standard library imports +import { join, resolve } from "path"; +import { existsSync } from "fs/exists"; +import { encodeBase64 } from "encoding/base64"; + +// Type imports from Quarto via import map +import type { + Command, DependenciesOptions, + EngineProjectContext, ExecuteOptions, ExecuteResult, - ExecutionEngine, + ExecutionEngineDiscovery, + ExecutionEngineInstance, ExecutionTarget, - kJuliaEngine, + JupyterNotebook, + MappedString, PandocIncludes, PostProcessOptions, -} from "./types.ts"; -import { jupyterAssets, jupyterToMarkdown } from "../core/jupyter/jupyter.ts"; + QuartoAPI, +} from "@quarto/types"; + +// Constants for this engine import { kExecuteDaemon, kExecuteDaemonRestart, @@ -28,35 +35,29 @@ import { kFigFormat, kFigPos, kIpynbProduceSourceNotebook, + kJuliaEngine, kKeepHidden, -} from "../config/constants.ts"; -import { - isHtmlCompatible, - isIpynbOutput, - isLatexOutput, - isMarkdownOutput, - isPresentationOutput, -} from "../config/format.ts"; -import { resourcePath } from "../core/resources.ts"; -import { quartoRuntimeDir } from "../core/appdirs.ts"; -import { normalizePath, pathWithForwardSlashes } from "../core/path.ts"; -import { isInteractiveSession } from "../core/platform.ts"; -import { runningInCI } from "../core/ci-info.ts"; -import { sleep } from "../core/async.ts"; -import { JupyterNotebook } from "../core/jupyter/types.ts"; -import { existsSync, safeRemoveSync } from "../deno_ral/fs.ts"; -import { encodeBase64 } from "encoding/base64"; -import { - executeResultEngineDependencies, - executeResultIncludes, -} from "./jupyter/jupyter.ts"; -import { isWindows } from "../deno_ral/platform.ts"; -import { Command } from "cliffy/command/mod.ts"; -import { - isJupyterPercentScript, - markdownFromJupyterPercentScript, -} from "./jupyter/percent.ts"; -import { resolve } from "path"; +} from "./constants.ts"; + +// Platform detection +const isWindows = Deno.build.os === "windows"; + +// Module-level quarto API reference +let quarto: QuartoAPI; + +// Safe file removal helper +function safeRemoveSync(file: string, options: Deno.RemoveOptions = {}) { + try { + Deno.removeSync(file, options); + } catch (e) { + if (existsSync(file)) { + throw e; + } + } +} + +// Simple async delay helper (equivalent to Deno std's delay) +const delay = (ms: number) => new Promise((resolve) => setTimeout(resolve, ms)); export interface SourceRange { lines: [number, number]; @@ -68,11 +69,11 @@ export interface JuliaExecuteOptions extends ExecuteOptions { oneShot: boolean; // if true, the file's worker process is closed before and after running } -function isJuliaPercentScript(file: string) { - return isJupyterPercentScript(file, [".jl"]); -} +export const juliaEngineDiscovery: ExecutionEngineDiscovery = { + init: (quartoAPI: QuartoAPI) => { + quarto = quartoAPI; + }, -export const juliaEngine: ExecutionEngine = { name: kJuliaEngine, defaultExt: ".qmd", @@ -88,33 +89,13 @@ export const juliaEngine: ExecutionEngine = { validExtensions: () => [], claimsFile: (file: string, _ext: string) => { - return isJuliaPercentScript(file); + return quarto.jupyter.isPercentScript(file, [".jl"]); }, claimsLanguage: (language: string) => { return language.toLowerCase() === "julia"; }, - partitionedMarkdown: async (file: string) => { - return partitionMarkdown(Deno.readTextFileSync(file)); - }, - - // TODO: ask dragonstyle what to do here - executeTargetSkipped: () => false, - - // TODO: just return dependencies from execute and this can do nothing - dependencies: (_options: DependenciesOptions) => { - const includes: PandocIncludes = {}; - return Promise.resolve({ - includes, - }); - }, - - // TODO: this can also probably do nothing - postprocess: (_options: PostProcessOptions) => { - return Promise.resolve(); - }, - canFreeze: true, generatesFigures: true, @@ -123,156 +104,216 @@ export const juliaEngine: ExecutionEngine = { return []; }, - canKeepSource: (_target: ExecutionTarget) => { - return true; + /** + * Populate engine-specific CLI commands + */ + populateCommand: (command) => + populateJuliaEngineCommand(command), + + /** + * Check Julia installation + */ + checkInstallation: async () => { + await quarto.console.withSpinner( + { message: "Checking Julia installation..." }, + async () => { + // Simulate checking Julia installation by waiting 3 seconds + await delay(3000); + }, + ); }, - markdownForFile(file: string): Promise { - if (isJuliaPercentScript(file)) { - return Promise.resolve( - asMappedString(markdownFromJupyterPercentScript(file)), - ); - } else { - return Promise.resolve(mappedStringFromFile(file)); - } - }, + /** + * Launch a dynamic execution engine with project context + */ + launch: (context: EngineProjectContext): ExecutionEngineInstance => { + return { + name: juliaEngineDiscovery.name, + canFreeze: juliaEngineDiscovery.canFreeze, - execute: async (options: ExecuteOptions): Promise => { - options.target.source; + partitionedMarkdown: (file: string) => { + return Promise.resolve( + quarto.markdownRegex.partition(Deno.readTextFileSync(file)), + ); + }, - // use daemon by default if we are in an interactive session (terminal - // or rstudio) and not running in a CI system. - let executeDaemon = options.format.execute[kExecuteDaemon]; - if (executeDaemon === null || executeDaemon === undefined) { - executeDaemon = isInteractiveSession() && !runningInCI(); - } + // TODO: ask dragonstyle what to do here + executeTargetSkipped: () => false, - const execOptions = { - ...options, - target: { - ...options.target, - input: normalizePath(options.target.input), + // TODO: just return dependencies from execute and this can do nothing + dependencies: (_options: DependenciesOptions) => { + const includes: PandocIncludes = {}; + return Promise.resolve({ + includes, + }); }, - }; - const juliaExecOptions: JuliaExecuteOptions = { - oneShot: !executeDaemon, - ...execOptions, - }; + // TODO: this can also probably do nothing + postprocess: (_options: PostProcessOptions) => { + return Promise.resolve(); + }, - // TODO: executeDaemon can take a number for timeout of kernels, but - // QuartoNotebookRunner currently doesn't support that - const nb = await executeJulia(juliaExecOptions); + canKeepSource: (_target: ExecutionTarget) => { + return true; + }, - if (!nb) { - error("Execution of notebook returned undefined"); - return Promise.reject(); - } + markdownForFile(file: string): Promise { + if (quarto.jupyter.isPercentScript(file, [".jl"])) { + return Promise.resolve( + quarto.mappedString.fromString( + quarto.jupyter.percentScriptToMarkdown(file), + ), + ); + } else { + return Promise.resolve(quarto.mappedString.fromFile(file)); + } + }, - // NOTE: the following is all mostly copied from the jupyter kernel file + execute: async (options: ExecuteOptions): Promise => { + options.target.source; - // there isn't really a "kernel" as we don't execute via Jupyter - // but this seems to be needed later to assign the correct language markers to code cells etc.) - nb.metadata.kernelspec = { - display_name: "Julia", - name: "julia", - language: "julia", - }; + // use daemon by default if we are in an interactive session (terminal + // or rstudio) and not running in a CI system. + let executeDaemon = options.format.execute[kExecuteDaemon]; + if (executeDaemon === null || executeDaemon === undefined) { + executeDaemon = quarto.system.isInteractiveSession() && + !quarto.system.runningInCI(); + } - const assets = jupyterAssets( - options.target.input, - options.format.pandoc.to, - ); + const execOptions = { + ...options, + target: { + ...options.target, + input: quarto.path.absolute(options.target.input), + }, + }; - // NOTE: for perforance reasons the 'nb' is mutated in place - // by jupyterToMarkdown (we don't want to make a copy of a - // potentially very large notebook) so should not be relied - // on subseuqent to this call - - const result = await jupyterToMarkdown( - nb, - { - executeOptions: options, - language: nb.metadata.kernelspec.language.toLowerCase(), - assets, - execute: options.format.execute, - keepHidden: options.format.render[kKeepHidden], - toHtml: isHtmlCompatible(options.format), - toLatex: isLatexOutput(options.format.pandoc), - toMarkdown: isMarkdownOutput(options.format), - toIpynb: isIpynbOutput(options.format.pandoc), - toPresentation: isPresentationOutput(options.format.pandoc), - figFormat: options.format.execute[kFigFormat], - figDpi: options.format.execute[kFigDpi], - figPos: options.format.render[kFigPos], - // preserveCellMetadata, - preserveCodeCellYaml: - options.format.render[kIpynbProduceSourceNotebook] === true, - }, - ); + const juliaExecOptions: JuliaExecuteOptions = { + oneShot: !executeDaemon, + ...execOptions, + }; - // return dependencies as either includes or raw dependencies - let includes: PandocIncludes | undefined; - let engineDependencies: Record> | undefined; - if (options.dependencies) { - includes = executeResultIncludes(options.tempDir, result.dependencies); - } else { - const dependencies = executeResultEngineDependencies(result.dependencies); - if (dependencies) { - engineDependencies = { - [kJuliaEngine]: dependencies, + // TODO: executeDaemon can take a number for timeout of kernels, but + // QuartoNotebookRunner currently doesn't support that + const nb = await executeJulia(juliaExecOptions); + + if (!nb) { + quarto.console.error("Execution of notebook returned undefined"); + return Promise.reject(); + } + + // NOTE: the following is all mostly copied from the jupyter kernel file + + // there isn't really a "kernel" as we don't execute via Jupyter + // but this seems to be needed later to assign the correct language markers to code cells etc.) + nb.metadata.kernelspec = { + display_name: "Julia", + name: "julia", + language: "julia", }; - } - } - // Create markdown from the result - const outputs = result.cellOutputs.map((output) => output.markdown); - if (result.notebookOutputs) { - if (result.notebookOutputs.prefix) { - outputs.unshift(result.notebookOutputs.prefix); - } - if (result.notebookOutputs.suffix) { - outputs.push(result.notebookOutputs.suffix); - } - } - const markdown = outputs.join(""); + const assets = quarto.jupyter.assets( + options.target.input, + options.format.pandoc.to, + ); - // return results - return { - engine: kJuliaEngine, - markdown: markdown, - supporting: [join(assets.base_dir, assets.supporting_dir)], - filters: [], - pandoc: result.pandoc, - includes, - engineDependencies, - preserve: result.htmlPreserve, - postProcess: result.htmlPreserve && - (Object.keys(result.htmlPreserve).length > 0), - }; - }, + // NOTE: for perforance reasons the 'nb' is mutated in place + // by jupyterToMarkdown (we don't want to make a copy of a + // potentially very large notebook) so should not be relied + // on subseuqent to this call + + const result = await quarto.jupyter.toMarkdown( + nb, + { + executeOptions: options, + language: nb.metadata.kernelspec.language.toLowerCase(), + assets, + execute: options.format.execute, + keepHidden: options.format.render[kKeepHidden] as boolean | undefined, + toHtml: quarto.format.isHtmlCompatible(options.format), + toLatex: quarto.format.isLatexOutput(options.format.pandoc), + toMarkdown: quarto.format.isMarkdownOutput(options.format), + toIpynb: quarto.format.isIpynbOutput(options.format.pandoc), + toPresentation: quarto.format.isPresentationOutput( + options.format.pandoc, + ), + figFormat: options.format.execute[kFigFormat] as string | undefined, + figDpi: options.format.execute[kFigDpi] as number | undefined, + figPos: options.format.render[kFigPos] as string | undefined, + // preserveCellMetadata, + preserveCodeCellYaml: + options.format.render[kIpynbProduceSourceNotebook] === true, + }, + ); - target: async ( - file: string, - _quiet?: boolean, - markdown?: MappedString, - _project?: ProjectContext, - ): Promise => { - if (markdown === undefined) { - markdown = mappedStringFromFile(file); - } - const target: ExecutionTarget = { - source: file, - input: file, - markdown, - metadata: readYamlFromMarkdown(markdown.value), + // return dependencies as either includes or raw dependencies + let includes: PandocIncludes | undefined; + let engineDependencies: Record> | undefined; + if (options.dependencies) { + includes = quarto.jupyter.resultIncludes( + options.tempDir, + result.dependencies, + ); + } else { + const dependencies = quarto.jupyter.resultEngineDependencies( + result.dependencies, + ); + if (dependencies) { + engineDependencies = { + [kJuliaEngine]: dependencies, + }; + } + } + + // Create markdown from the result + const outputs = result.cellOutputs.map((output) => output.markdown); + if (result.notebookOutputs) { + if (result.notebookOutputs.prefix) { + outputs.unshift(result.notebookOutputs.prefix); + } + if (result.notebookOutputs.suffix) { + outputs.push(result.notebookOutputs.suffix); + } + } + const markdown = outputs.join(""); + + // return results + return { + engine: kJuliaEngine, + markdown: markdown, + supporting: [join(assets.base_dir, assets.supporting_dir)], + filters: [], + pandoc: result.pandoc, + includes, + engineDependencies, + preserve: result.htmlPreserve, + postProcess: result.htmlPreserve && + (Object.keys(result.htmlPreserve).length > 0), + }; + }, + + target: ( + file: string, + _quiet?: boolean, + markdown?: MappedString, + ): Promise => { + if (markdown === undefined) { + markdown = quarto.mappedString.fromFile(file); + } + const target: ExecutionTarget = { + source: file, + input: file, + markdown, + metadata: quarto.markdownRegex.extractYaml(markdown.value), + }; + return Promise.resolve(target); + }, }; - return Promise.resolve(target); }, - - populateCommand: populateJuliaEngineCommand, }; +export default juliaEngineDiscovery; + function juliaCmd() { return Deno.env.get("QUARTO_JULIA") ?? "julia"; } @@ -292,15 +333,15 @@ async function startOrReuseJuliaServer( options, `Transport file ${transportFile} doesn't exist`, ); - info("Starting julia control server process. This might take a while..."); + quarto.console.info("Starting julia control server process. This might take a while..."); let juliaProject = Deno.env.get("QUARTO_JULIA_PROJECT"); if (juliaProject === undefined) { await ensureQuartoNotebookRunnerEnvironment(options); - juliaProject = juliaRuntimeDir(); + juliaProject = quarto.path.runtime("julia"); } else { - juliaProject = pathWithForwardSlashes(juliaProject); + juliaProject = quarto.path.toForwardSlashes(juliaProject); trace( options, `Custom julia project set via QUARTO_JULIA_PROJECT="${juliaProject}". Checking if QuartoNotebookRunner can be loaded.`, @@ -349,7 +390,7 @@ async function startOrReuseJuliaServer( powershell_argument_list_to_string( "--startup-file=no", `--project=${juliaProject}`, - resourcePath("julia/quartonotebookrunner.jl"), + quarto.path.resource("julia", "quartonotebookrunner.jl"), transportFile, juliaServerLogFile(), ), @@ -373,10 +414,13 @@ async function startOrReuseJuliaServer( const command = new Deno.Command(juliaCmd(), { args: [ "--startup-file=no", - resourcePath("julia/start_quartonotebookrunner_detached.jl"), + quarto.path.resource( + "julia", + "start_quartonotebookrunner_detached.jl", + ), juliaCmd(), juliaProject, - resourcePath("julia/quartonotebookrunner.jl"), + quarto.path.resource("julia", "quartonotebookrunner.jl"), transportFile, juliaServerLogFile(), ], @@ -406,14 +450,18 @@ async function startOrReuseJuliaServer( async function ensureQuartoNotebookRunnerEnvironment( options: JuliaExecuteOptions, ) { - const projectTomlTemplate = juliaResourcePath("Project.toml"); - const projectToml = join(juliaRuntimeDir(), "Project.toml"); + const runtimeDir = quarto.path.runtime("julia"); + const projectTomlTemplate = quarto.path.resource( + "julia", + "Project.toml", + ); + const projectToml = join(runtimeDir, "Project.toml"); Deno.writeFileSync(projectToml, Deno.readFileSync(projectTomlTemplate)); const command = new Deno.Command(juliaCmd(), { args: [ "--startup-file=no", - `--project=${juliaRuntimeDir()}`, - juliaResourcePath("ensure_environment.jl"), + `--project=${runtimeDir}`, + quarto.path.resource("julia", "ensure_environment.jl"), ], }); const proc = command.spawn(); @@ -424,10 +472,6 @@ async function ensureQuartoNotebookRunnerEnvironment( return Promise.resolve(); } -function juliaResourcePath(...parts: string[]) { - return join(resourcePath("julia"), ...parts); -} - interface JuliaTransportFile { port: number; pid: number; @@ -444,17 +488,19 @@ async function pollTransportFile( for (let i = 0; i < 15; i++) { if (existsSync(transportFile)) { - const transportOptions = readTransportFile(transportFile); + const transportOptions = await readTransportFile(transportFile); trace(options, "Transport file read successfully."); return transportOptions; } trace(options, "Transport file did not exist, yet."); - await sleep(i * 100); + await delay(i * 100); } return Promise.reject(); } -function readTransportFile(transportFile: string): JuliaTransportFile { +async function readTransportFile( + transportFile: string, +): Promise { // As we know the json file ends with \n but we might accidentally read // it too quickly once it exists, for example when not the whole string // has been written to it, yet, we just repeat reading until the string @@ -462,7 +508,7 @@ function readTransportFile(transportFile: string): JuliaTransportFile { let content = Deno.readTextFileSync(transportFile); let i = 0; while (i < 20 && !content.endsWith("\n")) { - sleep(100); + await delay(100); content = Deno.readTextFileSync(transportFile); i += 1; } @@ -514,18 +560,18 @@ async function getJuliaServerConnection( transportOptions = await pollTransportFile(options); } catch (err) { if (!reused) { - info( + quarto.console.info( "No transport file was found after the timeout. This is the log from the server process:", ); - info("#### BEGIN LOG ####"); + quarto.console.info("#### BEGIN LOG ####"); printJuliaServerLog(); - info("#### END LOG ####"); + quarto.console.info("#### END LOG ####"); } throw err; } if (!reused) { - info("Julia server process started."); + quarto.console.info("Julia server process started."); } trace( @@ -550,7 +596,7 @@ async function getJuliaServerConnection( safeRemoveSync(juliaTransportFile()); return await getJuliaServerConnection(options); } else { - error( + quarto.console.error( "Connecting to server failed. A transport file was successfully created by the server process, so something in the server process might be broken.", ); throw e; @@ -589,8 +635,10 @@ function getConsoleColumns(): number | null { } } -function buildSourceRanges(markdown: MappedString): Array { - const lines = mappedLines(markdown); +function buildSourceRanges( + markdown: MappedString, +): Array { + const lines = quarto.mappedString.splitLines(markdown); const sourceRanges: Array = []; let currentRange: SourceRange | null = null; @@ -599,8 +647,10 @@ function buildSourceRanges(markdown: MappedString): Array { const mapResult = line.map(0, true); if (mapResult) { const { originalString } = mapResult; - const lineColFunc = mappedIndexToLineCol(originalString); - const lineCol = lineColFunc(mapResult.index); + const lineCol = quarto.mappedString.indexToLineCol( + originalString, + mapResult.index, + ); const fileName = originalString.fileName ? resolve(originalString.fileName) // resolve to absolute path using cwd : undefined; @@ -688,7 +738,7 @@ async function executeJulia( update.source, Math.max(0, ncols - firstPartLength), ); - info(`${firstPart}${sigLine}`); + quarto.console.info(`${firstPart}${sigLine}`); }, ); @@ -896,16 +946,16 @@ async function writeJuliaCommand( function juliaRuntimeDir(): string { try { - return quartoRuntimeDir("julia"); + return quarto.path.runtime("julia"); } catch (e) { - error("Could not create julia runtime directory."); - error( + quarto.console.error("Could not create julia runtime directory."); + quarto.console.error( "This is possibly a permission issue in the environment Quarto is running in.", ); - error( + quarto.console.error( "Please consult the following documentation for more information:", ); - error( + quarto.console.error( "https://github.com/quarto-dev/quarto-cli/issues/4594#issuecomment-1619177667", ); throw e; @@ -922,7 +972,7 @@ export function juliaServerLogFile() { function trace(options: ExecuteOptions, msg: string) { if (options.format?.execute[kExecuteDebug] === true) { - info("- " + msg, { bold: true }); + quarto.console.info("- " + msg, { bold: true }); } } @@ -952,7 +1002,7 @@ function populateJuliaEngineCommand(command: Command) { "Force closing. This will terminate the worker if it is running.", { default: false }, ) - .action(async (options, file) => { + .action(async (options: { force: boolean }, file: string) => { await closeWorker(file, options.force); }) .command("stop", "Stop the server") @@ -966,10 +1016,10 @@ function populateJuliaEngineCommand(command: Command) { async function logStatus() { const transportFile = juliaTransportFile(); if (!existsSync(transportFile)) { - info("Julia control server is not running."); + quarto.console.info("Julia control server is not running."); return; } - const transportOptions = readTransportFile(transportFile); + const transportOptions = await readTransportFile(transportFile); const conn = await getReadyServerConnection( transportOptions, @@ -989,26 +1039,26 @@ async function logStatus() { conn.close(); } else { - info(`Found transport file but can't connect to control server.`); + quarto.console.info(`Found transport file but can't connect to control server.`); } } -function killJuliaServer() { +async function killJuliaServer() { const transportFile = juliaTransportFile(); if (!existsSync(transportFile)) { - info("Julia control server is not running."); + quarto.console.info("Julia control server is not running."); return; } - const transportOptions = readTransportFile(transportFile); + const transportOptions = await readTransportFile(transportFile); Deno.kill(transportOptions.pid, "SIGTERM"); - info("Sent SIGTERM to server process"); + quarto.console.info("Sent SIGTERM to server process"); } function printJuliaServerLog() { if (existsSync(juliaServerLogFile())) { Deno.stdout.writeSync(Deno.readFileSync(juliaServerLogFile())); } else { - info("Server log file doesn't exist"); + quarto.console.info("Server log file doesn't exist"); } return; } @@ -1026,7 +1076,7 @@ async function connectAndWriteJuliaCommandToRunningServer< if (!existsSync(transportFile)) { throw new Error("Julia control server is not running."); } - const transportOptions = readTransportFile(transportFile); + const transportOptions = await readTransportFile(transportFile); const conn = await getReadyServerConnection( transportOptions, @@ -1051,12 +1101,12 @@ async function connectAndWriteJuliaCommandToRunningServer< } async function closeWorker(file: string, force: boolean) { - const absfile = normalizePath(file); + const absfile = quarto.path.absolute(file); await connectAndWriteJuliaCommandToRunningServer({ type: force ? "forceclose" : "close", content: { file: absfile }, }); - info(`Worker ${force ? "force-" : ""}closed successfully.`); + quarto.console.info(`Worker ${force ? "force-" : ""}closed successfully.`); } async function stopServer() { @@ -1064,5 +1114,5 @@ async function stopServer() { type: "stop", content: {}, }); - info(result.message); + quarto.console.info(result.message); } diff --git a/src/resources/schema/definitions.yml b/src/resources/schema/definitions.yml index 5eafecc819b..3aaa43e278d 100644 --- a/src/resources/schema/definitions.yml +++ b/src/resources/schema/definitions.yml @@ -287,6 +287,17 @@ description: The language that should be used when displaying the commenting interface. required: [repo] +- id: external-engine + schema: + object: + closed: true + properties: + path: + path: + description: Path to the TypeScript module for the execution engine + required: [path] + description: An execution engine not pre-loaded in Quarto + - id: document-comments-configuration anyOf: - enum: [false] diff --git a/src/resources/schema/extension.yml b/src/resources/schema/extension.yml index 25c3ec5e50b..0f0ce39ef15 100644 --- a/src/resources/schema/extension.yml +++ b/src/resources/schema/extension.yml @@ -25,3 +25,8 @@ arrayOf: path formats: schema: object + engines: + arrayOf: + anyOf: + - string + - ref: external-engine diff --git a/src/resources/schema/json-schemas.json b/src/resources/schema/json-schemas.json index 29079c8fc91..ebcf0c70cd2 100644 --- a/src/resources/schema/json-schemas.json +++ b/src/resources/schema/json-schemas.json @@ -324,6 +324,15 @@ } } }, + "ExternalEngine": { + "object": { + "properties": { + "path": { + "type": "string" + } + } + } + }, "DocumentCommentsConfiguration": { "anyOf": [ { diff --git a/src/resources/schema/project.yml b/src/resources/schema/project.yml index c4f8928603c..311a2d360c6 100644 --- a/src/resources/schema/project.yml +++ b/src/resources/schema/project.yml @@ -92,5 +92,8 @@ - name: engines schema: - arrayOf: string + arrayOf: + anyOf: + - string + - ref: external-engine description: "List execution engines you want to give priority when determining which engine should render a notebook. If two engines have support for a notebook, the one listed earlier will be chosen. Quarto's default order is 'knitr', 'jupyter', 'markdown', 'julia'." diff --git a/src/resources/types/schema-types.ts b/src/resources/types/schema-types.ts index e6d9e1a6236..5424a911241 100644 --- a/src/resources/types/schema-types.ts +++ b/src/resources/types/schema-types.ts @@ -154,6 +154,10 @@ website: ``` */ }; +export type ExternalEngine = { + path: string; /* Path to the TypeScript module for the execution engine */ +}; /* An execution engine not pre-loaded in Quarto */ + export type DocumentCommentsConfiguration = false | { giscus?: GiscusConfiguration; hypothesis?: boolean | { diff --git a/src/resources/types/zod/schema-types.ts b/src/resources/types/zod/schema-types.ts index 8066c424b40..65eec066ce1 100644 --- a/src/resources/types/zod/schema-types.ts +++ b/src/resources/types/zod/schema-types.ts @@ -135,6 +135,9 @@ export const ZodGiscusConfiguration = z.object({ language: z.string(), }).strict().partial().required({ repo: true }); +export const ZodExternalEngine = z.object({ path: z.string() }).strict() + .partial().required({ path: true }); + export const ZodDocumentCommentsConfiguration = z.union([ z.literal(false), z.object({ @@ -1838,6 +1841,8 @@ export type GiscusThemes = z.infer; export type GiscusConfiguration = z.infer; +export type ExternalEngine = z.infer; + export type DocumentCommentsConfiguration = z.infer< typeof ZodDocumentCommentsConfiguration >; @@ -2072,6 +2077,7 @@ export const Zod = { NavigationItemObject: ZodNavigationItemObject, GiscusThemes: ZodGiscusThemes, GiscusConfiguration: ZodGiscusConfiguration, + ExternalEngine: ZodExternalEngine, DocumentCommentsConfiguration: ZodDocumentCommentsConfiguration, SocialMetadata: ZodSocialMetadata, PageFooterRegion: ZodPageFooterRegion, diff --git a/tests/docs/call/engine/julia/_quarto.yml b/tests/docs/call/engine/julia/_quarto.yml new file mode 100644 index 00000000000..5d28962fff4 --- /dev/null +++ b/tests/docs/call/engine/julia/_quarto.yml @@ -0,0 +1,3 @@ +project: + type: default + diff --git a/tests/docs/project/book/.gitignore b/tests/docs/project/book/.gitignore index f2a47e616ed..a3071ae5755 100644 --- a/tests/docs/project/book/.gitignore +++ b/tests/docs/project/book/.gitignore @@ -1,2 +1,4 @@ /.quarto/ *_cache/ + +**/*.quarto_ipynb diff --git a/tests/smoke/build-ts-extension/README.md b/tests/smoke/build-ts-extension/README.md new file mode 100644 index 00000000000..56f417497e9 --- /dev/null +++ b/tests/smoke/build-ts-extension/README.md @@ -0,0 +1,44 @@ +# Build TypeScript Extension Test + +This is a minimal test extension for the `quarto dev-call build-ts-extension` command. + +## Structure + +- `src/test-engine.ts` - TypeScript source implementing ExecutionEngineDiscovery +- `deno.json` - Configuration with quartoExtension options and inline imports +- `_extensions/test-engine/` - Output directory for built extension +- `_extensions/test-engine/_extension.yml` - Extension metadata + +## Testing + +Prerequisites: +```bash +# Build quarto-types first +cd packages/quarto-types +npm run build +cd ../.. +``` + +To build the test extension: +```bash +cd tests/smoke/build-ts-extension +quarto dev-call build-ts-extension +``` + +To type-check only: +```bash +quarto dev-call build-ts-extension --check +``` + +## Expected Output + +After building, you should see: +- `_extensions/test-engine/test-engine.js` - Bundled JavaScript file +- Type checking passes with no errors +- Success message indicating build completion + +## Notes + +- This test uses inline `imports` in deno.json pointing directly to `packages/quarto-types/dist/index.d.ts` +- In a real extension project, you would typically use the default config from Quarto's `share/extension-build/` directory +- The default config is available at `src/resources/extension-build/` in dev mode diff --git a/tests/smoke/build-ts-extension/_extensions/test-engine/_extension.yml b/tests/smoke/build-ts-extension/_extensions/test-engine/_extension.yml new file mode 100644 index 00000000000..4e73897fe10 --- /dev/null +++ b/tests/smoke/build-ts-extension/_extensions/test-engine/_extension.yml @@ -0,0 +1,7 @@ +title: Test Engine +author: Quarto Dev Team +version: 1.0.0 +quarto-required: ">=1.6.0" +contributes: + engines: + - test-engine.js diff --git a/tests/smoke/build-ts-extension/build-ts-extension.test.ts b/tests/smoke/build-ts-extension/build-ts-extension.test.ts new file mode 100644 index 00000000000..46e0f713acb --- /dev/null +++ b/tests/smoke/build-ts-extension/build-ts-extension.test.ts @@ -0,0 +1,49 @@ +import { noErrorsOrWarnings } from "../../verify.ts"; +import { testQuartoCmd, Verify } from "../../test.ts"; +import { assert } from "testing/asserts"; +import { existsSync } from "../../../src/deno_ral/fs.ts"; + +const verifyBundleCreated: Verify = { + name: "Verify bundled JS file was created", + verify: async () => { + const bundlePath = "_extensions/test-engine/test-engine.js"; + assert( + existsSync(bundlePath), + `Expected bundled file not found: ${bundlePath}`, + ); + }, +}; + +const verifyImportBundled: Verify = { + name: "Verify import from import map was bundled", + verify: async () => { + const bundlePath = "_extensions/test-engine/test-engine.js"; + const content = Deno.readTextFileSync(bundlePath); + + // Check that the file is substantial (contains bundled dependencies, not just source) + assert( + content.length > 1000, + `Bundle file seems too small (${content.length} bytes), dependencies may not be bundled`, + ); + + // Check that extname function declaration is in the bundle (lightweight check) + assert( + content.includes("function extname"), + "Bundle does not contain 'function extname' - import may not have been bundled", + ); + }, +}; + +testQuartoCmd( + "call", + ["build-ts-extension"], + [ + noErrorsOrWarnings, + verifyBundleCreated, + verifyImportBundled, + ], + { + cwd: () => "smoke/build-ts-extension", + }, + "build-ts-extension creates bundled engine", +); diff --git a/tests/smoke/build-ts-extension/src/test-engine.ts b/tests/smoke/build-ts-extension/src/test-engine.ts new file mode 100644 index 00000000000..b25aa736007 --- /dev/null +++ b/tests/smoke/build-ts-extension/src/test-engine.ts @@ -0,0 +1,101 @@ +import type { + ExecutionEngineDiscovery, + ExecutionEngineInstance, + QuartoAPI, + EngineProjectContext, + MappedString, + ExecutionTarget, + ExecuteOptions, + ExecuteResult, + DependenciesOptions, + DependenciesResult, + PostProcessOptions, + PartitionedMarkdown, +} from "@quarto/types"; +import { extname } from "path"; + +let quarto: QuartoAPI; + +const testEngineDiscovery: ExecutionEngineDiscovery = { + init: (quartoAPI: QuartoAPI) => { + quarto = quartoAPI; + }, + + name: "test", + + defaultExt: ".qmd", + + defaultYaml: () => ["engine: test"], + + defaultContent: () => ["# Test Engine Document", "", "This is a test."], + + validExtensions: () => [".qmd"], + + claimsFile: (_file: string, _ext: string) => false, + + claimsLanguage: (language: string) => language === "test", + + canFreeze: false, + + generatesFigures: false, + + launch: (context: EngineProjectContext): ExecutionEngineInstance => { + return { + name: "test", + canFreeze: false, + + markdownForFile: async (file: string): Promise => { + return quarto.mappedString.fromFile(file); + }, + + target: async ( + file: string, + _quiet?: boolean, + markdown?: MappedString, + ): Promise => { + if (!markdown) { + markdown = await quarto.mappedString.fromFile(file); + } + const metadata = quarto.markdownRegex.extractYaml(markdown.value); + return { + source: file, + input: file, + markdown, + metadata, + }; + }, + + partitionedMarkdown: async ( + file: string, + ): Promise => { + const markdown = await quarto.mappedString.fromFile(file); + return quarto.markdownRegex.partition(markdown.value); + }, + + execute: async (options: ExecuteOptions): Promise => { + // Simple passthrough - no actual execution + // Use extname to ensure it gets bundled + const _ext = extname(options.target.input); + return { + markdown: options.target.markdown.value, + supporting: [], + filters: [], + }; + }, + + dependencies: async ( + _options: DependenciesOptions, + ): Promise => { + return { + includes: {}, + }; + }, + + postprocess: async (_options: PostProcessOptions): Promise => { + // No post-processing needed + }, + }; + }, +}; + +export default testEngineDiscovery; diff --git a/tests/smoke/call/engine/julia/julia.test.ts b/tests/smoke/call/engine/julia/julia.test.ts index 330b5f9e23b..351a2061e72 100644 --- a/tests/smoke/call/engine/julia/julia.test.ts +++ b/tests/smoke/call/engine/julia/julia.test.ts @@ -1,11 +1,13 @@ import { assert, assertStringIncludes } from "testing/asserts"; import { docs, quartoDevCmd } from "../../../../utils.ts"; import { existsSync } from "fs/exists"; -import { juliaServerLogFile, juliaTransportFile } from "../../../../../src/execute/julia.ts"; import { sleep } from "../../../../../src/core/wait.ts"; +import { quartoRuntimeDir } from "../../../../../src/core/appdirs.ts"; +import { join } from "../../../../../src/deno_ral/path.ts"; -const sleepQmd = docs("call/engine/julia/sleep.qmd"); -assert(existsSync(sleepQmd)); +const juliaTestDir = docs("call/engine/julia"); +const sleepQmd = "sleep.qmd"; +assert(existsSync(docs("call/engine/julia/sleep.qmd"))); function assertSuccess(output: Deno.CommandOutput) { if (!output.success) { @@ -23,144 +25,174 @@ function assertStderrIncludes(output: Deno.CommandOutput, str: string) { assertStringIncludes(new TextDecoder().decode(output.stderr), str); } -// make sure we don't have a server process running by sending a kill command -// and then also try to remove the transport file in case one still exists -const killcmd = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "kill"]} -).outputSync(); -assertSuccess(killcmd); -try { - await Deno.remove(juliaTransportFile()); -} catch { -} - -Deno.test("kill without server running", () => { - const output = new Deno.Command( +Deno.test("julia engine", async (t) => { + // Setup: Clean up any leftover server state before running tests + const killcmd = new Deno.Command( quartoDevCmd(), - {args: ["call", "engine", "julia", "kill"]} + { args: ["call", "engine", "julia", "kill"], cwd: juliaTestDir }, ).outputSync(); - assertSuccess(output); - assertStderrIncludes(output, "Julia control server is not running."); -}); - -Deno.test("status without server running", () => { - const output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "status"]} - ).outputSync(); - assertSuccess(output); - assertStderrIncludes(output, "Julia control server is not running."); -}); + assertSuccess(killcmd); -try { - await Deno.remove(juliaServerLogFile()); -} catch { -} + const transportFile = join(quartoRuntimeDir("julia"), "julia_transport.txt"); + const logFile = join(quartoRuntimeDir("julia"), "julia_server_log.txt"); -Deno.test("log file doesn't exist", () => { - const log_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "log"]} - ).outputSync(); - assertSuccess(log_output); - assertStderrIncludes(log_output, "Server log file doesn't exist"); -}); - -Deno.test("status with server and worker running", () => { - const render_output = new Deno.Command( - quartoDevCmd(), - {args: ["render", sleepQmd, "-P", "sleep_duration:0", "--execute-daemon", "60"]} - ).outputSync(); - assertSuccess(render_output); - - const status_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "status"]} - ).outputSync(); - assertSuccess(status_output); - assertStdoutIncludes(status_output, "workers active: 1"); -}); - -Deno.test("closing an idling worker", () => { - const close_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "close", sleepQmd]} - ).outputSync(); - assertSuccess(close_output); - assertStderrIncludes(close_output, "Worker closed successfully"); - - const status_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "status"]} - ).outputSync(); - assertSuccess(status_output); - assertStdoutIncludes(status_output, "workers active: 0"); -}); - -Deno.test("force-closing a running worker", async () => { - // spawn a long-running command - const render_cmd = new Deno.Command( - quartoDevCmd(), - {args: ["render", sleepQmd, "-P", "sleep_duration:30"]} - ).output(); - - await sleep(3000); - - const close_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "close", sleepQmd]} - ).outputSync(); - assertStderrIncludes(close_output, "worker is busy"); - - const status_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "status"]} - ).outputSync(); - assertSuccess(status_output); - assertStdoutIncludes(status_output, "workers active: 1"); - - const force_close_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "close", "--force", sleepQmd]} - ).outputSync(); - assertSuccess(force_close_output); - assertStderrIncludes(force_close_output, "Worker force-closed successfully"); - - const status_output_2 = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "status"]} - ).outputSync(); - assertSuccess(status_output_2); - assertStdoutIncludes(status_output_2, "workers active: 0"); - - const render_output = await render_cmd; - assertStderrIncludes(render_output, "File was force-closed during run") -}); - -Deno.test("log exists", () => { - const log_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "log"]} - ).outputSync(); - assertSuccess(log_output); - assertStdoutIncludes(log_output, "Log started at"); -}); - -Deno.test("stop the idling server", async () => { - const stop_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "stop"]} - ).outputSync(); - assertSuccess(stop_output); - assertStderrIncludes(stop_output, "Server stopped"); + try { + await Deno.remove(transportFile); + } catch { + // File might not exist, that's okay + } - await sleep(2000); // allow a little bit of time for the server to stop and the log message to be written + try { + await Deno.remove(logFile); + } catch { + // File might not exist, that's okay + } - const log_output = new Deno.Command( - quartoDevCmd(), - {args: ["call", "engine", "julia", "log"]} - ).outputSync(); - assertSuccess(log_output); - assertStdoutIncludes(log_output, "Server stopped"); + // Now run all the actual tests as steps + await t.step("kill without server running", () => { + const output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "kill"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(output); + assertStderrIncludes(output, "Julia control server is not running."); + }); + + await t.step("status without server running", () => { + const output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "status"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(output); + assertStderrIncludes(output, "Julia control server is not running."); + }); + + await t.step("log file doesn't exist", () => { + const log_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "log"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(log_output); + assertStderrIncludes(log_output, "Server log file doesn't exist"); + }); + + await t.step("status with server and worker running", () => { + const render_output = new Deno.Command( + quartoDevCmd(), + { + args: [ + "render", + sleepQmd, + "-P", + "sleep_duration:0", + "--execute-daemon", + "60", + ], + cwd: juliaTestDir, + }, + ).outputSync(); + assertSuccess(render_output); + + const status_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "status"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(status_output); + assertStdoutIncludes(status_output, "workers active: 1"); + }); + + await t.step("closing an idling worker", () => { + const close_output = new Deno.Command( + quartoDevCmd(), + { + args: ["call", "engine", "julia", "close", sleepQmd], + cwd: juliaTestDir, + }, + ).outputSync(); + assertSuccess(close_output); + assertStderrIncludes(close_output, "Worker closed successfully"); + + const status_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "status"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(status_output); + assertStdoutIncludes(status_output, "workers active: 0"); + }); + + await t.step("force-closing a running worker", async () => { + // spawn a long-running command + const render_cmd = new Deno.Command( + quartoDevCmd(), + { + args: ["render", sleepQmd, "-P", "sleep_duration:30"], + cwd: juliaTestDir, + }, + ).output(); + + await sleep(3000); + + const close_output = new Deno.Command( + quartoDevCmd(), + { + args: ["call", "engine", "julia", "close", sleepQmd], + cwd: juliaTestDir, + }, + ).outputSync(); + assertStderrIncludes(close_output, "worker is busy"); + + const status_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "status"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(status_output); + assertStdoutIncludes(status_output, "workers active: 1"); + + const force_close_output = new Deno.Command( + quartoDevCmd(), + { + args: ["call", "engine", "julia", "close", "--force", sleepQmd], + cwd: juliaTestDir, + }, + ).outputSync(); + assertSuccess(force_close_output); + assertStderrIncludes(force_close_output, "Worker force-closed successfully"); + + const status_output_2 = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "status"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(status_output_2); + assertStdoutIncludes(status_output_2, "workers active: 0"); + + const render_output = await render_cmd; + assertStderrIncludes(render_output, "File was force-closed during run"); + }); + + await t.step("log exists", () => { + const log_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "log"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(log_output); + assertStdoutIncludes(log_output, "Log started at"); + }); + + await t.step("stop the idling server", async () => { + const stop_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "stop"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(stop_output); + assertStderrIncludes(stop_output, "Server stopped"); + + await sleep(2000); // allow a little bit of time for the server to stop and the log message to be written + + const log_output = new Deno.Command( + quartoDevCmd(), + { args: ["call", "engine", "julia", "log"], cwd: juliaTestDir }, + ).outputSync(); + assertSuccess(log_output); + assertStdoutIncludes(log_output, "Server stopped"); + }); }); diff --git a/tests/smoke/create/create.test.ts b/tests/smoke/create/create.test.ts index 8d898d24208..56f644871d2 100644 --- a/tests/smoke/create/create.test.ts +++ b/tests/smoke/create/create.test.ts @@ -22,6 +22,7 @@ const kCreateTypes: Record = { "format:pdf", "format:docx", "format:revealjs", + "engine", ], }; @@ -69,6 +70,19 @@ for (const type of Object.keys(kCreateTypes)) { `Artifact ${type} ${template} failed to produce any files to open.`, ); + // Build engine extensions before rendering + if (template === "engine") { + const buildCmd = [quartoDevCmd(), "call", "build-ts-extension"]; + const buildProcess = await execProcess({ + cmd: buildCmd[0], + args: buildCmd.slice(1), + cwd: path, + stdout: "piped", + stderr: "piped", + }); + assert(buildProcess.success, buildProcess.stderr); + } + for (const file of openfiles) { if (file.endsWith(".qmd")) { // provide a step name and function diff --git a/tests/smoke/inspect/inspect-extensions.test.ts b/tests/smoke/inspect/inspect-extensions.test.ts index 82084bfe671..bbf4820e118 100644 --- a/tests/smoke/inspect/inspect-extensions.test.ts +++ b/tests/smoke/inspect/inspect-extensions.test.ts @@ -25,8 +25,9 @@ import { assert, assertEquals } from "testing/asserts"; verify: async (outputs: ExecuteOutput[]) => { assert(existsSync(output)); const json = JSON.parse(Deno.readTextFileSync(output)); - assert(json.extensions.length === 1); - assertEquals(json.extensions[0].title, "Auto Dark Mode"); + assert(json.extensions.length === 2); + // 0 is julia-engine + assertEquals(json.extensions[1].title, "Auto Dark Mode"); } } ], diff --git a/tools/bundle-bug-finder/_prelude.js b/tools/bundle-bug-finder/_prelude.js index 6098fe81da5..0fca50b99e0 100644 --- a/tools/bundle-bug-finder/_prelude.js +++ b/tools/bundle-bug-finder/_prelude.js @@ -5,6 +5,12 @@ // tracking on https://github.com/b-fuze/deno-dom/issues/151 /*global i, l, result */ +// esbuild bundler bug: when using dynamic imports to break async initialization chains, +// esbuild fails to properly hoist variable declarations from conditional blocks in some +// modules (e.g., util module's b, w, v2 variables declared inside if blocks). +// The variables exist at runtime but eslint can't see their declarations. +/*global b, w, v2 */ + /* deno-dom browser-only codepath: */ /*global document, Element, Document, DocumentFragment */