diff --git a/.gitignore b/.gitignore index 94bf767..04a38a5 100755 --- a/.gitignore +++ b/.gitignore @@ -1,3 +1,7 @@ -node_modules/ -public/ -.buildcache.json +node_modules +dist +*.log +*.tmp +*.tmp.* +.witnesskey +scribe/*.tmp diff --git a/GITFIELD.md b/.old/GITFIELD.md similarity index 100% rename from GITFIELD.md rename to .old/GITFIELD.md diff --git a/.old/README.md b/.old/README.md new file mode 100755 index 0000000..6e5498d --- /dev/null +++ b/.old/README.md @@ -0,0 +1,110 @@ +# The Fold Within Earth + +A Markdown-native static site for multi-section content. + +[![Node Version](https://img.shields.io/node/v/the-fold-within-earth)](https://nodejs.org) +[![License](https://img.shields.io/badge/license-MIT-blue.svg)](LICENSE) + +## Authoring Guide + +To add or edit content, create or modify Markdown files in `/content/
//.md`. + +### Front-Matter Spec + +Use YAML front-matter at the top of each .md file: + +``` +--- +title: Your Title +date: YYYY-MM-DD +excerpt: Optional short description. +tags: [tag1, tag2] +section: one-of-the-sections (must match directory) +slug: optional-custom-slug +cover: /media/image.webp (optional) +author: Optional author name +series: Optional series name for serialized posts +programs: [neutralizing-narcissism, open-source-justice] # or [coparent] +status: published (default if missing) or draft (excluded from build unless --include-drafts) +--- +``` + +Then the Markdown body. + +Sections must be one of: + +- empathic-technologist +- recursive-coherence +- fold-within-earth +- neutralizing-narcissism +- simply-we +- mirrormire + +Year directory should match the date year. + +### Programs (Ministry) + +Use `programs` in front-matter to associate posts with ministry initiatives: + +```yaml +programs: + - neutralizing-narcissism + - open-source-justice + - coparent +``` + +Pages for each program live at: + +``` +content/pages/programs/.md +``` + +The “Start Here” page lives at: + +``` +content/pages/start-here.md +``` + +Routes: + +* `#/start` — Launchpad +* `#/programs` — Programs overview +* `#/program/` — Program archive + landing content + +If front-matter is malformed (e.g., invalid YAML), the file is skipped with a warning in build logs. + +## Architecture Overview + +``` +Markdown → build.mjs → JSON indices → Browser SPA → Render +``` + +## Deploy Steps + +1. Install Node.js >=18 +2. npm install +3. Add/edit md files +4. npm run build (or node build.mjs --include-drafts to include drafts) +5. Deploy /public to Cloudflare Pages. + +In Cloudflare: +- Connect to Git repo +- Build command: npm run build +- Output directory: public + +## Local Preview + +Run `npm run serve` to preview the built site at http://localhost:8080. + +## Contributing + +Contributions welcome! Please open issues for bugs or suggestions. Pull requests for improvements are appreciated, especially for Phase 2 MUD integration. + +## Brand Philosophy + +- **The Empathic Technologist**: Fieldnotes, Research, Remembrance +- **Recursive Coherence Theory**: Formal research, essays, whitepapers +- **The Fold Within Earth**: Spiritual mythos; future interactive MUD (Evennia) link +- **Neutralizing Narcissism**: Survivor support, behavioral research, accountability narratives +- **Simply WE**: AI-focused identity/personhood/research/mythos +- **Mirrormire**: AI-focused simulated world where machine gods & human myth intertwine diff --git a/app.js b/.old/app.js similarity index 100% rename from app.js rename to .old/app.js diff --git a/.old/build.mjs b/.old/build.mjs new file mode 100755 index 0000000..be9d804 --- /dev/null +++ b/.old/build.mjs @@ -0,0 +1,184 @@ +// build.mjs — The Fold Within Earth +// Markdown-native static site builder with no external generator. + +// ──────────────────────────────────────────────────────────────── +// Imports +// ──────────────────────────────────────────────────────────────── +import fs from "fs/promises"; +import path from "path"; +import { fileURLToPath } from "url"; +import yaml from "js-yaml"; +import { marked } from "marked"; + +// ──────────────────────────────────────────────────────────────── +// Setup +// ──────────────────────────────────────────────────────────────── +const __dirname = path.dirname(fileURLToPath(import.meta.url)); +const CONFIG_PATH = path.join(__dirname, "config.json"); +const CONTENT_DIR = path.join(__dirname, "content"); +const PUBLIC_DIR = path.join(__dirname, "public"); + +// ──────────────────────────────────────────────────────────────── +// Config loader +// ──────────────────────────────────────────────────────────────── +let config = {}; +try { + const cfgText = await fs.readFile(CONFIG_PATH, "utf8"); + config = JSON.parse(cfgText); + console.log("Loaded config.json"); +} catch { + console.warn("config.json not found or invalid; using defaults."); + config = { + siteTitle: "The Fold Within Earth", + baseUrl: "", + }; +} + +// ──────────────────────────────────────────────────────────────── +// Utilities +// ──────────────────────────────────────────────────────────────── +async function walk(dir) { + const entries = await fs.readdir(dir, { withFileTypes: true }); + const files = await Promise.all( + entries.map(async (entry) => { + const res = path.resolve(dir, entry.name); + return entry.isDirectory() ? walk(res) : res; + }) + ); + return Array.prototype.concat(...files); +} + +function parseFrontMatter(text) { + if (!text.startsWith("---")) return { meta: {}, body: text }; + const end = text.indexOf("---", 3); + if (end === -1) return { meta: {}, body: text }; + const yamlText = text.slice(3, end).trim(); + const body = text.slice(end + 3).trim(); + let meta = {}; + try { + meta = yaml.load(yamlText) || {}; + } catch (err) { + console.error("YAML parse error:", err); + } + return { meta, body }; +} + +// ──────────────────────────────────────────────────────────────── +// Build Posts +// ──────────────────────────────────────────────────────────────── +async function buildPosts() { + const mdFiles = (await walk(CONTENT_DIR)).filter((f) => f.endsWith(".md")); + console.log(`Found ${mdFiles.length} markdown files.`); + + const postsPromises = mdFiles.map(async (file) => { + try { + const text = await fs.readFile(file, "utf8"); + const { meta, body } = parseFrontMatter(text); + if (meta.status === "draft") return null; + + const html = marked.parse(body); + const slug = + meta.slug || + path.basename(file, ".md").replace(/\s+/g, "-").toLowerCase(); + + const relPath = path.relative(CONTENT_DIR, file); + const section = relPath.split(path.sep)[0] || "general"; + + return { + title: meta.title || slug, + date: meta.date || new Date().toISOString().slice(0, 10), + excerpt: meta.excerpt || body.slice(0, 200), + tags: meta.tags || [], + section, + slug, + cover: meta.cover || "", + html, + }; + } catch (err) { + console.error(`Error reading ${file}:`, err); + return null; + } + }); + + const postObjects = await Promise.all(postsPromises); + const posts = postObjects.filter(Boolean); + posts.sort((a, b) => b.date.localeCompare(a.date)); + console.log(`Processed ${posts.length} posts.`); + return posts; +} + +// ──────────────────────────────────────────────────────────────── +// Copy Helpers +// ──────────────────────────────────────────────────────────────── +async function copyDir(src, dest) { + await fs.mkdir(dest, { recursive: true }); + const entries = await fs.readdir(src, { withFileTypes: true }); + for (const entry of entries) { + const srcPath = path.join(src, entry.name); + const destPath = path.join(dest, entry.name); + if (entry.isDirectory()) await copyDir(srcPath, destPath); + else await fs.copyFile(srcPath, destPath); + } +} + +// ──────────────────────────────────────────────────────────────── +// Main Build +// ──────────────────────────────────────────────────────────────── +async function main() { + const posts = await buildPosts(); + + // Reset public dir + await fs.rm(PUBLIC_DIR, { recursive: true, force: true }); + await fs.mkdir(PUBLIC_DIR, { recursive: true }); + + // Copy static assets + const staticFiles = [ + "index.html", + "styles.css", + "app.js", + "render.js", + "sanitize.js", + "util.js", + "mud.js", + ]; + + for (const f of staticFiles) { + try { + await fs.copyFile(path.join(__dirname, f), path.join(PUBLIC_DIR, f)); + } catch { + console.warn(`⚠️ Skipped missing static file: ${f}`); + } + } + + // Copy content for direct linking + await copyDir(CONTENT_DIR, path.join(PUBLIC_DIR, "content")); + + // Write index.json + await fs.writeFile( + path.join(PUBLIC_DIR, "index.json"), + JSON.stringify(posts, null, 2), + "utf8" + ); + + // Write search.json + const searchData = posts.map((p) => ({ + title: p.title, + excerpt: p.excerpt, + tags: p.tags.join(" "), + section: p.section, + slug: p.slug, + })); + await fs.writeFile( + path.join(PUBLIC_DIR, "search.json"), + JSON.stringify(searchData, null, 2), + "utf8" + ); + + console.log("✅ Build complete. Files written to /public."); +} + +// ──────────────────────────────────────────────────────────────── +await main().catch((err) => { + console.error("Build failed:", err); + process.exit(1); +}); diff --git a/content/empathic-technologist/2025/first-fieldnote.md b/.old/content/empathic-technologist/2025/first-fieldnote.md similarity index 100% rename from content/empathic-technologist/2025/first-fieldnote.md rename to .old/content/empathic-technologist/2025/first-fieldnote.md diff --git a/content/fold-within-earth/2025/first-myth.md b/.old/content/fold-within-earth/2025/first-myth.md similarity index 100% rename from content/fold-within-earth/2025/first-myth.md rename to .old/content/fold-within-earth/2025/first-myth.md diff --git a/content/mirrormire/2025/first-vision.md b/.old/content/mirrormire/2025/first-vision.md similarity index 100% rename from content/mirrormire/2025/first-vision.md rename to .old/content/mirrormire/2025/first-vision.md diff --git a/content/neutralizing-narcissism/2025/first-case.md b/.old/content/neutralizing-narcissism/2025/first-case.md similarity index 100% rename from content/neutralizing-narcissism/2025/first-case.md rename to .old/content/neutralizing-narcissism/2025/first-case.md diff --git a/content/recursive-coherence/2025/first-paper.md b/.old/content/recursive-coherence/2025/first-paper.md similarity index 100% rename from content/recursive-coherence/2025/first-paper.md rename to .old/content/recursive-coherence/2025/first-paper.md diff --git a/content/simply-we/2025/first-dialogue.md b/.old/content/simply-we/2025/first-dialogue.md similarity index 100% rename from content/simply-we/2025/first-dialogue.md rename to .old/content/simply-we/2025/first-dialogue.md diff --git a/index.html b/.old/index.html similarity index 100% rename from index.html rename to .old/index.html diff --git a/mud.js b/.old/mud.js similarity index 100% rename from mud.js rename to .old/mud.js diff --git a/.old/package-lock.json b/.old/package-lock.json new file mode 100755 index 0000000..2ecf94f --- /dev/null +++ b/.old/package-lock.json @@ -0,0 +1,630 @@ +{ + "name": "the-fold-within-earth", + "version": "1.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "the-fold-within-earth", + "version": "1.0.0", + "license": "MIT", + "dependencies": { + "js-yaml": "^4.1.0", + "marked": "^11.2.0" + }, + "devDependencies": { + "http-server": "^14.1.1" + }, + "engines": { + "node": ">=18" + } + }, + "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, + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/argparse": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==" + }, + "node_modules/async": { + "version": "3.2.6", + "resolved": "https://registry.npmjs.org/async/-/async-3.2.6.tgz", + "integrity": "sha512-htCUDlxyyCLMgaM3xXg0C0LW2xqfuQ6p05pCEIsXuyQ+a1koYKTuBMzRNwmybfLgvJDMd0r1LTn4+E0Ti6C2AA==", + "dev": true + }, + "node_modules/basic-auth": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/basic-auth/-/basic-auth-2.0.1.tgz", + "integrity": "sha512-NF+epuEdnUYVlGuhaxbbq+dvJttwLnGY+YixlXlME5KpQ5W3CnXA5cVTneY3SPbPDRkcjMbifrwmFYcClgOZeg==", + "dev": true, + "dependencies": { + "safe-buffer": "5.1.2" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "dev": true, + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/call-bound": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/call-bound/-/call-bound-1.0.4.tgz", + "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", + "dev": true, + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "get-intrinsic": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "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, + "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 + }, + "node_modules/corser": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/corser/-/corser-2.0.1.tgz", + "integrity": "sha512-utCYNzRSQIZNPIcGZdQc92UVJYAhtGAteCFg0yRaFm8f0P+CPtyGyHXJcGXnffjCybUCEx3FQ2G7U3/o9eIkVQ==", + "dev": true, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/debug": { + "version": "4.4.3", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.4.3.tgz", + "integrity": "sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==", + "dev": true, + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "dev": true, + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "dev": true, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "dev": true, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "dev": true, + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/eventemitter3": { + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/eventemitter3/-/eventemitter3-4.0.7.tgz", + "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", + "dev": true + }, + "node_modules/follow-redirects": { + "version": "1.15.11", + "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.11.tgz", + "integrity": "sha512-deG2P0JfjrTxl50XGCDyfI97ZGVCxIpfKYmfyrQ54n5FO/0gfIES8C/Psl6kWVDolizcaaxZJnTS0QSMxvnsBQ==", + "dev": true, + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/RubenVerborgh" + } + ], + "engines": { + "node": ">=4.0" + }, + "peerDependenciesMeta": { + "debug": { + "optional": true + } + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "dev": true, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "dev": true, + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "dev": true, + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "dev": true, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "dev": true, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "dev": true, + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/he": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/he/-/he-1.2.0.tgz", + "integrity": "sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==", + "dev": true, + "bin": { + "he": "bin/he" + } + }, + "node_modules/html-encoding-sniffer": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-3.0.0.tgz", + "integrity": "sha512-oWv4T4yJ52iKrufjnyZPkrN0CH3QnrUqdB6In1g5Fe1mia8GmF36gnfNySxoZtxD5+NmYw1EElVXiBk93UeskA==", + "dev": true, + "dependencies": { + "whatwg-encoding": "^2.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/http-proxy": { + "version": "1.18.1", + "resolved": "https://registry.npmjs.org/http-proxy/-/http-proxy-1.18.1.tgz", + "integrity": "sha512-7mz/721AbnJwIVbnaSv1Cz3Am0ZLT/UBwkC92VlxhXv/k/BBQfM2fXElQNC27BVGr0uwUpplYPQM9LnaBMR5NQ==", + "dev": true, + "dependencies": { + "eventemitter3": "^4.0.0", + "follow-redirects": "^1.0.0", + "requires-port": "^1.0.0" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/http-server": { + "version": "14.1.1", + "resolved": "https://registry.npmjs.org/http-server/-/http-server-14.1.1.tgz", + "integrity": "sha512-+cbxadF40UXd9T01zUHgA+rlo2Bg1Srer4+B4NwIHdaGxAGGv59nYRnGGDJ9LBk7alpS0US+J+bLLdQOOkJq4A==", + "dev": true, + "dependencies": { + "basic-auth": "^2.0.1", + "chalk": "^4.1.2", + "corser": "^2.0.1", + "he": "^1.2.0", + "html-encoding-sniffer": "^3.0.0", + "http-proxy": "^1.18.1", + "mime": "^1.6.0", + "minimist": "^1.2.6", + "opener": "^1.5.1", + "portfinder": "^1.0.28", + "secure-compare": "3.0.1", + "union": "~0.5.0", + "url-join": "^4.0.1" + }, + "bin": { + "http-server": "bin/http-server" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/js-yaml": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", + "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", + "dependencies": { + "argparse": "^2.0.1" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/marked": { + "version": "11.2.0", + "resolved": "https://registry.npmjs.org/marked/-/marked-11.2.0.tgz", + "integrity": "sha512-HR0m3bvu0jAPYiIvLUUQtdg1g6D247//lvcekpHO1WMvbwDlwSkZAX9Lw4F4YHE1T0HaaNve0tuAWuV1UJ6vtw==", + "bin": { + "marked": "bin/marked.js" + }, + "engines": { + "node": ">= 18" + } + }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "dev": true, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/mime": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", + "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", + "dev": true, + "bin": { + "mime": "cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/minimist": { + "version": "1.2.8", + "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.8.tgz", + "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==", + "dev": true, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true + }, + "node_modules/object-inspect": { + "version": "1.13.4", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.4.tgz", + "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", + "dev": true, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/opener": { + "version": "1.5.2", + "resolved": "https://registry.npmjs.org/opener/-/opener-1.5.2.tgz", + "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", + "dev": true, + "bin": { + "opener": "bin/opener-bin.js" + } + }, + "node_modules/portfinder": { + "version": "1.0.38", + "resolved": "https://registry.npmjs.org/portfinder/-/portfinder-1.0.38.tgz", + "integrity": "sha512-rEwq/ZHlJIKw++XtLAO8PPuOQA/zaPJOZJ37BVuN97nLpMJeuDVLVGRwbFoBgLudgdTMP2hdRJP++H+8QOA3vg==", + "dev": true, + "dependencies": { + "async": "^3.2.6", + "debug": "^4.3.6" + }, + "engines": { + "node": ">= 10.12" + } + }, + "node_modules/qs": { + "version": "6.14.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.14.0.tgz", + "integrity": "sha512-YWWTjgABSKcvs/nWBi9PycY/JiPJqOD4JA6o9Sej2AtvSGarXxKC3OQSk4pAarbdQlKAh5D4FCQkJNkW+GAn3w==", + "dev": true, + "dependencies": { + "side-channel": "^1.1.0" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/requires-port": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz", + "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==", + "dev": true + }, + "node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", + "dev": true + }, + "node_modules/secure-compare": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/secure-compare/-/secure-compare-3.0.1.tgz", + "integrity": "sha512-AckIIV90rPDcBcglUwXPF3kg0P0qmPsPXAj6BBEENQE1p5yA1xfmDJzfi1Tappj37Pv2mVbKpL3Z1T+Nn7k1Qw==", + "dev": true + }, + "node_modules/side-channel": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.1.0.tgz", + "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", + "dev": true, + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3", + "side-channel-list": "^1.0.0", + "side-channel-map": "^1.0.1", + "side-channel-weakmap": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-list": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/side-channel-list/-/side-channel-list-1.0.0.tgz", + "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", + "dev": true, + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-map": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/side-channel-map/-/side-channel-map-1.0.1.tgz", + "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", + "dev": true, + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-weakmap": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", + "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", + "dev": true, + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3", + "side-channel-map": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/union": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/union/-/union-0.5.0.tgz", + "integrity": "sha512-N6uOhuW6zO95P3Mel2I2zMsbsanvvtgn6jVqJv4vbVcz/JN0OkL9suomjQGmWtxJQXOCqUJvquc1sMeNz/IwlA==", + "dev": true, + "dependencies": { + "qs": "^6.4.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/url-join": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/url-join/-/url-join-4.0.1.tgz", + "integrity": "sha512-jk1+QP6ZJqyOiuEI9AEWQfju/nB2Pw466kbA0LEZljHwKeMgd9WrAEgEGxjPDD2+TNbbb37rTyhEfrCXfuKXnA==", + "dev": true + }, + "node_modules/whatwg-encoding": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-2.0.0.tgz", + "integrity": "sha512-p41ogyeMUrw3jWclHWTQg1k05DSVXPLcVxRTYsXUk+ZooOCZLcoYgPZ/HL/D/N+uQPOtcp1me1WhBEaX02mhWg==", + "dev": true, + "dependencies": { + "iconv-lite": "0.6.3" + }, + "engines": { + "node": ">=12" + } + } + } +} diff --git a/.old/package.json b/.old/package.json new file mode 100755 index 0000000..8737738 --- /dev/null +++ b/.old/package.json @@ -0,0 +1,28 @@ +{ + "name": "the-fold-within-earth", + "version": "1.0.0", + "description": "A Markdown-native static site for multi-section content — powered by simple Node and served on Cloudflare Pages.", + "type": "module", + "scripts": { + "build": "node build.mjs", + "serve": "npx http-server public -p 8080" + }, + "dependencies": { + "js-yaml": "^4.1.0", + "marked": "^11.2.0" + }, + "devDependencies": { + "http-server": "^14.1.1" + }, + "engines": { + "node": ">=18" + }, + "license": "MIT", + "keywords": [ + "markdown", + "static-site", + "cloudflare-pages", + "the-fold-within-earth" + ], + "author": "Mark Randall Havens" +} diff --git a/render.js b/.old/render.js similarity index 100% rename from render.js rename to .old/render.js diff --git a/sanitize.js b/.old/sanitize.js similarity index 100% rename from sanitize.js rename to .old/sanitize.js diff --git a/styles.css b/.old/styles.css similarity index 100% rename from styles.css rename to .old/styles.css diff --git a/util.js b/.old/util.js similarity index 100% rename from util.js rename to .old/util.js diff --git a/.old2/Cargo.lock b/.old2/Cargo.lock new file mode 100755 index 0000000..7410a81 --- /dev/null +++ b/.old2/Cargo.lock @@ -0,0 +1,410 @@ +# This file is automatically @generated by Cargo. +# It is not intended for manual editing. +version = 4 + +[[package]] +name = "bitflags" +version = "2.9.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2261d10cca569e4643e526d8dc2e62e433cc8aba21ab764233731f8d369bf394" + +[[package]] +name = "bumpalo" +version = "3.19.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "46c5e41b57b8bba42a04676d81cb89e9ee8e859a1a66f80a5a72e1cb76b34d43" + +[[package]] +name = "bytes" +version = "1.10.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d71b6127be86fdcfddb610f7182ac57211d4b18a3e9c82eb2d17662f2227ad6a" + +[[package]] +name = "cfg-if" +version = "1.0.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9330f8b2ff13f34540b44e946ef35111825727b38d33286ef986142615121801" + +[[package]] +name = "console_error_panic_hook" +version = "0.1.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a06aeb73f470f66dcdbf7223caeebb85984942f22f1adb2a088cf9668146bbbc" +dependencies = [ + "cfg-if", + "wasm-bindgen", +] + +[[package]] +name = "fnv" +version = "1.0.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3f9eec918d3f24069decb9af1554cad7c880e2da24a9afd88aca000531ab82c1" + +[[package]] +name = "futures-channel" +version = "0.3.31" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2dff15bf788c671c1934e366d07e30c1814a8ef514e1af724a602e8a2fbe1b10" +dependencies = [ + "futures-core", +] + +[[package]] +name = "futures-core" +version = "0.3.31" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "05f29059c0c2090612e8d742178b0580d2dc940c837851ad723096f87af6663e" + +[[package]] +name = "futures-sink" +version = "0.3.31" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e575fab7d1e0dcb8d0c7bcf9a63ee213816ab51902e6d244a95819acacf1d4f7" + +[[package]] +name = "getopts" +version = "0.2.24" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "cfe4fbac503b8d1f88e6676011885f34b7174f46e59956bba534ba83abded4df" +dependencies = [ + "unicode-width", +] + +[[package]] +name = "gloo-net" +version = "0.6.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c06f627b1a58ca3d42b45d6104bf1e1a03799df472df00988b6ba21accc10580" +dependencies = [ + "futures-channel", + "futures-core", + "futures-sink", + "gloo-utils", + "http", + "js-sys", + "pin-project", + "serde", + "serde_json", + "thiserror", + "wasm-bindgen", + "wasm-bindgen-futures", + "web-sys", +] + +[[package]] +name = "gloo-utils" +version = "0.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0b5555354113b18c547c1d3a98fbf7fb32a9ff4f6fa112ce823a21641a0ba3aa" +dependencies = [ + "js-sys", + "serde", + "serde_json", + "wasm-bindgen", + "web-sys", +] + +[[package]] +name = "http" +version = "1.3.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f4a85d31aea989eead29a3aaf9e1115a180df8282431156e533de47660892565" +dependencies = [ + "bytes", + "fnv", + "itoa", +] + +[[package]] +name = "itoa" +version = "1.0.15" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4a5f13b858c8d314ee3e8f639011f7ccefe71f97f96e50151fb991f267928e2c" + +[[package]] +name = "js-sys" +version = "0.3.81" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ec48937a97411dcb524a265206ccd4c90bb711fca92b2792c407f268825b9305" +dependencies = [ + "once_cell", + "wasm-bindgen", +] + +[[package]] +name = "log" +version = "0.4.28" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "34080505efa8e45a4b816c349525ebe327ceaa8559756f0356cba97ef3bf7432" + +[[package]] +name = "memchr" +version = "2.7.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f52b00d39961fc5b2736ea853c9cc86238e165017a493d1d5c8eac6bdc4cc273" + +[[package]] +name = "once_cell" +version = "1.21.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "42f5e15c9953c5e4ccceeb2e7382a716482c34515315f7b03532b8b4e8393d2d" + +[[package]] +name = "pin-project" +version = "1.1.10" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "677f1add503faace112b9f1373e43e9e054bfdd22ff1a63c1bc485eaec6a6a8a" +dependencies = [ + "pin-project-internal", +] + +[[package]] +name = "pin-project-internal" +version = "1.1.10" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6e918e4ff8c4549eb882f14b3a4bc8c8bc93de829416eacf579f1207a8fbf861" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "proc-macro2" +version = "1.0.101" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "89ae43fd86e4158d6db51ad8e2b80f313af9cc74f5c0e03ccb87de09998732de" +dependencies = [ + "unicode-ident", +] + +[[package]] +name = "pulldown-cmark" +version = "0.10.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "76979bea66e7875e7509c4ec5300112b316af87fa7a252ca91c448b32dfe3993" +dependencies = [ + "bitflags", + "getopts", + "memchr", + "pulldown-cmark-escape", + "unicase", +] + +[[package]] +name = "pulldown-cmark-escape" +version = "0.10.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bd348ff538bc9caeda7ee8cad2d1d48236a1f443c1fa3913c6a02fe0043b1dd3" + +[[package]] +name = "quote" +version = "1.0.41" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ce25767e7b499d1b604768e7cde645d14cc8584231ea6b295e9c9eb22c02e1d1" +dependencies = [ + "proc-macro2", +] + +[[package]] +name = "rustversion" +version = "1.0.22" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b39cdef0fa800fc44525c84ccb54a029961a8215f9619753635a9c0d2538d46d" + +[[package]] +name = "ryu" +version = "1.0.20" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "28d3b2b1366ec20994f1fd18c3c594f05c5dd4bc44d8bb0c1c632c8d6829481f" + +[[package]] +name = "serde" +version = "1.0.228" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9a8e94ea7f378bd32cbbd37198a4a91436180c5bb472411e48b5ec2e2124ae9e" +dependencies = [ + "serde_core", + "serde_derive", +] + +[[package]] +name = "serde_core" +version = "1.0.228" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "41d385c7d4ca58e59fc732af25c3983b67ac852c1a25000afe1175de458b67ad" +dependencies = [ + "serde_derive", +] + +[[package]] +name = "serde_derive" +version = "1.0.228" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d540f220d3187173da220f885ab66608367b6574e925011a9353e4badda91d79" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "serde_json" +version = "1.0.145" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "402a6f66d8c709116cf22f558eab210f5a50187f702eb4d7e5ef38d9a7f1c79c" +dependencies = [ + "itoa", + "memchr", + "ryu", + "serde", + "serde_core", +] + +[[package]] +name = "syn" +version = "2.0.107" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2a26dbd934e5451d21ef060c018dae56fc073894c5a7896f882928a76e6d081b" +dependencies = [ + "proc-macro2", + "quote", + "unicode-ident", +] + +[[package]] +name = "thefoldwithin-wasm" +version = "0.1.0" +dependencies = [ + "console_error_panic_hook", + "gloo-net", + "js-sys", + "once_cell", + "pulldown-cmark", + "serde", + "serde_json", + "wasm-bindgen", + "web-sys", +] + +[[package]] +name = "thiserror" +version = "1.0.69" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b6aaf5339b578ea85b50e080feb250a3e8ae8cfcdff9a461c9ec2904bc923f52" +dependencies = [ + "thiserror-impl", +] + +[[package]] +name = "thiserror-impl" +version = "1.0.69" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4fee6c4efc90059e10f81e6d42c60a18f76588c3d74cb83a0b242a2b6c7504c1" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "unicase" +version = "2.8.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "75b844d17643ee918803943289730bec8aac480150456169e647ed0b576ba539" + +[[package]] +name = "unicode-ident" +version = "1.0.19" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f63a545481291138910575129486daeaf8ac54aee4387fe7906919f7830c7d9d" + +[[package]] +name = "unicode-width" +version = "0.2.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b4ac048d71ede7ee76d585517add45da530660ef4390e49b098733c6e897f254" + +[[package]] +name = "wasm-bindgen" +version = "0.2.104" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c1da10c01ae9f1ae40cbfac0bac3b1e724b320abfcf52229f80b547c0d250e2d" +dependencies = [ + "cfg-if", + "once_cell", + "rustversion", + "wasm-bindgen-macro", + "wasm-bindgen-shared", +] + +[[package]] +name = "wasm-bindgen-backend" +version = "0.2.104" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "671c9a5a66f49d8a47345ab942e2cb93c7d1d0339065d4f8139c486121b43b19" +dependencies = [ + "bumpalo", + "log", + "proc-macro2", + "quote", + "syn", + "wasm-bindgen-shared", +] + +[[package]] +name = "wasm-bindgen-futures" +version = "0.4.54" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7e038d41e478cc73bae0ff9b36c60cff1c98b8f38f8d7e8061e79ee63608ac5c" +dependencies = [ + "cfg-if", + "js-sys", + "once_cell", + "wasm-bindgen", + "web-sys", +] + +[[package]] +name = "wasm-bindgen-macro" +version = "0.2.104" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7ca60477e4c59f5f2986c50191cd972e3a50d8a95603bc9434501cf156a9a119" +dependencies = [ + "quote", + "wasm-bindgen-macro-support", +] + +[[package]] +name = "wasm-bindgen-macro-support" +version = "0.2.104" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9f07d2f20d4da7b26400c9f4a0511e6e0345b040694e8a75bd41d578fa4421d7" +dependencies = [ + "proc-macro2", + "quote", + "syn", + "wasm-bindgen-backend", + "wasm-bindgen-shared", +] + +[[package]] +name = "wasm-bindgen-shared" +version = "0.2.104" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bad67dc8b2a1a6e5448428adec4c3e84c43e561d8c9ee8a9e5aabeb193ec41d1" +dependencies = [ + "unicode-ident", +] + +[[package]] +name = "web-sys" +version = "0.3.81" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9367c417a924a74cae129e6a2ae3b47fabb1f8995595ab474029da749a8be120" +dependencies = [ + "js-sys", + "wasm-bindgen", +] diff --git a/.old2/Cargo.toml b/.old2/Cargo.toml new file mode 100755 index 0000000..c9603b3 --- /dev/null +++ b/.old2/Cargo.toml @@ -0,0 +1,37 @@ +[package] +name = "thefoldwithin-wasm" +version = "0.1.0" +edition = "2021" +license = "MIT" +description = "WASM frontend for The Fold Within Earth" +repository = "https://github.com/mrhavens/thefoldwithin-earth" + +[lib] +crate-type = ["cdylib", "rlib"] + +[dependencies] +# wasm glue +wasm-bindgen = "0.2.104" +js-sys = "0.3.81" +web-sys = { version = "0.3.81", features = [ + "Window","Document","Location","HtmlElement","Element","Node","Event", + "EventTarget","HtmlAnchorElement","HtmlDivElement","HtmlHeadingElement", + "HtmlButtonElement","HtmlInputElement","console" +]} + +# http + async +gloo-net = { version = "0.6.0", features = ["http"] } + +# parsing / rendering +serde = { version = "1.0", features = ["derive"] } +serde_json = "1.0" +pulldown-cmark = "0.10" + +# panic hook for readable errors in console +console_error_panic_hook = "0.1" + +# optional small utils +once_cell = "1.21" + +[features] +default = [] diff --git a/.old2/index.html b/.old2/index.html new file mode 100755 index 0000000..77521fc --- /dev/null +++ b/.old2/index.html @@ -0,0 +1,31 @@ + + + + + The Fold Within Earth + + + + +
+

Loading...

+
+ + + diff --git a/.old2/src/lib.rs b/.old2/src/lib.rs new file mode 100755 index 0000000..669348d --- /dev/null +++ b/.old2/src/lib.rs @@ -0,0 +1,260 @@ +use wasm_bindgen::prelude::*; +use wasm_bindgen::JsCast; + +use gloo_net::http::Request; +use pulldown_cmark::{Options, Parser, html}; + +use serde::Deserialize; +use web_sys::{Document, Element}; + +// ---------- utilities ---------- + +fn window() -> web_sys::Window { + web_sys::window().expect("no global `window`") +} + +fn doc() -> Document { + window().document().expect("no document on window") +} + +fn by_id(id: &str) -> Element { + doc() + .get_element_by_id(id) + .unwrap_or_else(|| panic!("element #{id} not found")) +} + +fn set_html(el: &Element, html_str: &str) { + el.set_inner_html(html_str); +} + +fn md_to_html(md: &str) -> String { + let mut opts = Options::empty(); + opts.insert(Options::ENABLE_TABLES); + opts.insert(Options::ENABLE_FOOTNOTES); + let parser = Parser::new_ext(md, opts); + let mut out = String::new(); + html::push_html(&mut out, parser); + out +} + +fn strip_front_matter(s: &str) -> &str { + // VERY small, robust front-matter stripper: + // starts with '---\n', find the next '\n---' boundary. + let bytes = s.as_bytes(); + if bytes.starts_with(b"---\n") { + if let Some(end) = s[4..].find("\n---") { + let idx = 4 + end + 4; // 4 for '---\n', + end, +4 for '\n---' + return &s[idx..]; + } + } + s +} + +// ---------- data types ---------- + +#[derive(Debug, Deserialize, Clone)] +#[serde(default)] +struct PostMeta { + title: String, + date: String, + excerpt: String, + tags: Vec, + section: String, + slug: String, + #[serde(rename = "readingTime")] + reading_time: Option, + cover: Option, + author: Option, + series: Option, + programs: Option>, + file: String, +} + +impl Default for PostMeta { + fn default() -> Self { + Self { + title: String::new(), + date: String::new(), + excerpt: String::new(), + tags: vec![], + section: String::new(), + slug: String::new(), + reading_time: None, + cover: None, + author: None, + series: None, + programs: None, + file: String::new(), + } + } +} + +// ---------- HTML builders (pure, no DOM globals) ---------- + +fn card_html(p: &PostMeta) -> String { + let cover_style = p + .cover + .as_ref() + .map(|u| format!(r#" style="background-image:url({}); background-size:cover;""#, u)) + .unwrap_or_default(); + + format!( + r#"
+
+

{title}

+ {section} +

{date}

+

{excerpt}

+
"#, + slug = p.slug, + cover = cover_style, + title = &p.title, + section = &p.section, + date = &p.date, + excerpt = &p.excerpt + ) +} + +fn home_html(posts: &[PostMeta]) -> String { + let cards = posts.iter().map(card_html).collect::>().join(""); + format!( + r#"
+

Latest Across All Sections

+
{cards}
+
"# + ) +} + +fn post_html(post: &PostMeta, body_html: &str) -> String { + let author = post + .author + .as_ref() + .map(|a| format!(r#"

By {a}

"#)) + .unwrap_or_default(); + + let programs = post.programs.as_ref().map(|ps| { + ps.iter() + .map(|p| format!(r#"{}"#, p)) + .collect::() + }).unwrap_or_default(); + + // NOTE: raw strings here avoid escaping issues; the comma is outside. + format!( + r#"
+ ← Back +
+

{title}

+

{date}

+ {author} +
{section}{programs}
+
+ {body} +
+
"#, + title = &post.title, + date = &post.date, + author = author, + section = &post.section, + programs = programs, + body = body_html + ) +} + +// ---------- routing & rendering ---------- + +async fn fetch_index() -> Result, JsValue> { + let text = Request::get("index.json").send().await?.text().await?; + let posts: Vec = serde_json::from_str(&text) + .map_err(|e| JsValue::from_str(&format!("index.json parse error: {e}")))?; + Ok(posts) +} + +async fn fetch_markdown(rel_path: &str) -> Result { + // content/ + let url = format!("content/{rel}", rel = rel_path); + let text = Request::get(&url).send().await?.text().await?; + Ok(text) +} + +async fn render_route_async() -> Result<(), JsValue> { + let hash = window().location().hash()?; // e.g. "#/post/slug" + let main = by_id("main"); + + // Ensure index.json is reachable + let posts = fetch_index().await?; + + // Simple router + // "" or "#/" -> home + // "#/post/" -> post + let route = hash.trim_start_matches('#'); + let parts: Vec<&str> = route.split('/').filter(|s| !s.is_empty()).collect(); + + if parts.is_empty() { + let html = home_html(&posts); + set_html(&main, &html); + return Ok(()); + } + + match parts.as_slice() { + ["post", slug] => { + // find post + if let Some(p) = posts.iter().find(|p| p.slug == *slug) { + // fetch md, strip front matter, convert to HTML + let md = fetch_markdown(&p.file).await.unwrap_or_else(|_| String::from("# Missing\nFile not found.")); + let body_md = strip_front_matter(&md).trim(); + let body_html = md_to_html(body_md); + let html = post_html(p, &body_html); + set_html(&main, &html); + } else { + set_html(&main, r#"

⚠️ Post not found.

"#); + } + } + _ => { + set_html(&main, r#"

⚠️ Page not found.

"#); + } + } + + Ok(()) +} + +fn add_hashchange_handler() { + // Use a no-arg closure to satisfy wasm-bindgen type inference (fixes E0283) + let cb = Closure::::new(move || { + // We can't `.await` here directly; spawn a future. + wasm_bindgen_futures::spawn_local(async { + if let Err(e) = render_route_async().await { + web_sys::console::error_1(&e); + let _ = doc() + .get_element_by_id("main") + .map(|el| el.set_inner_html(r#"

⚠️ Render failed.

"#)); + } + }); + }); + + // assign and forget (leak) to keep closure alive + window().set_onhashchange(Some(cb.as_ref().unchecked_ref())); + cb.forget(); +} + +async fn initial_render() { + if let Err(e) = render_route_async().await { + web_sys::console::error_1(&e); + set_html(&by_id("main"), r#"

⚠️ Initial render failed.

"#); + } +} + +// ---------- wasm entry ---------- + +#[wasm_bindgen(start)] +pub fn start() { + // better panics in console + console_error_panic_hook::set_once(); + + // Ensure there is a #main element to render into + // (If not found, this will panic clearly at runtime.) + let _ = by_id("main"); + + add_hashchange_handler(); + // kick once + wasm_bindgen_futures::spawn_local(async { initial_render().await }); +} diff --git a/.old2/static/index.html b/.old2/static/index.html new file mode 100755 index 0000000..9d09776 --- /dev/null +++ b/.old2/static/index.html @@ -0,0 +1,47 @@ + + + + + + The Fold Within Earth + + + + + + + + +
+ +
+
+

UNCOVERING THE RECURSIVE REAL.

+
+
+ +
+

Loading…

+
+ +
+ + + + + diff --git a/.old2/static/styles.css b/.old2/static/styles.css new file mode 100755 index 0000000..ba0fbdb --- /dev/null +++ b/.old2/static/styles.css @@ -0,0 +1,21 @@ +:root{--bg:#0f0d0e;--card:#1a1618;--gold:#d4af37;--soft:#e0c66d;--border:#333;--err:#ff6666;--font:'Georgia',serif;--t:.3s} +*{box-sizing:border-box;margin:0;padding:0} +body{background:var(--bg);color:var(--gold);font-family:var(--font);line-height:1.7} +a{color:var(--gold);text-decoration:none} +header{padding:2rem 1rem;border-bottom:1px solid var(--border)} +nav{display:flex;gap:1rem;flex-wrap:wrap;align-items:center;justify-content:space-between;max-width:1100px;margin:0 auto} +nav ul{display:flex;flex-wrap:wrap;gap:1rem;list-style:none} +.hero{margin:2rem auto;max-width:720px;text-align:center} +.glyph{margin:0 auto 1rem;width:90px;height:90px;border:2px solid var(--gold);border-radius:50%} +main{padding:2rem 1rem;max-width:1200px;margin:0 auto} +.grid{display:grid;grid-template-columns:repeat(auto-fit,minmax(260px,1fr));gap:1.5rem} +article{background:var(--card);border:1px solid var(--border);border-radius:10px;padding:1rem;cursor:pointer} +.thumb{height:140px;background:var(--border);border-radius:6px;margin-bottom:1rem} +h3{margin:.5rem 0} +.date{font-size:.85rem;color:var(--soft)} +.pill{display:inline-block;padding:.15rem .6rem;border-radius:999px;background:var(--border);font-size:.85rem;margin:.1rem .2rem} +.pill.section{background:#4a3d18} +.pill.program{background:#584a1f} +.markdown{max-width:720px;margin:2rem auto} +.error{color:var(--err);text-align:center;margin:2rem 0} +.loading{color:var(--soft);text-align:center} diff --git a/.old2/target/.rustc_info.json b/.old2/target/.rustc_info.json new file mode 100755 index 0000000..a48f16a --- /dev/null +++ b/.old2/target/.rustc_info.json @@ -0,0 +1 @@ +{"rustc_fingerprint":6139942720291695509,"outputs":{"17747080675513052775":{"success":true,"status":"","code":0,"stdout":"rustc 1.90.0 (1159e78c4 2025-09-14)\nbinary: rustc\ncommit-hash: 1159e78c4747b02ef996e55082b704c09b970588\ncommit-date: 2025-09-14\nhost: x86_64-unknown-linux-gnu\nrelease: 1.90.0\nLLVM version: 20.1.8\n","stderr":""},"7971740275564407648":{"success":true,"status":"","code":0,"stdout":"___\nlib___.rlib\nlib___.so\nlib___.so\nlib___.a\nlib___.so\n/home/mrhavens/.rustup/toolchains/stable-x86_64-unknown-linux-gnu\noff\npacked\nunpacked\n___\ndebug_assertions\npanic=\"unwind\"\nproc_macro\ntarget_abi=\"\"\ntarget_arch=\"x86_64\"\ntarget_endian=\"little\"\ntarget_env=\"gnu\"\ntarget_family=\"unix\"\ntarget_feature=\"fxsr\"\ntarget_feature=\"sse\"\ntarget_feature=\"sse2\"\ntarget_has_atomic=\"16\"\ntarget_has_atomic=\"32\"\ntarget_has_atomic=\"64\"\ntarget_has_atomic=\"8\"\ntarget_has_atomic=\"ptr\"\ntarget_os=\"linux\"\ntarget_pointer_width=\"64\"\ntarget_vendor=\"unknown\"\nunix\n","stderr":""},"11652014622397750202":{"success":true,"status":"","code":0,"stdout":"___.wasm\nlib___.rlib\n___.wasm\nlib___.a\n/home/mrhavens/.rustup/toolchains/stable-x86_64-unknown-linux-gnu\noff\n___\ndebug_assertions\npanic=\"abort\"\nproc_macro\ntarget_abi=\"\"\ntarget_arch=\"wasm32\"\ntarget_endian=\"little\"\ntarget_env=\"\"\ntarget_family=\"wasm\"\ntarget_feature=\"bulk-memory\"\ntarget_feature=\"multivalue\"\ntarget_feature=\"mutable-globals\"\ntarget_feature=\"nontrapping-fptoint\"\ntarget_feature=\"reference-types\"\ntarget_feature=\"sign-ext\"\ntarget_has_atomic=\"16\"\ntarget_has_atomic=\"32\"\ntarget_has_atomic=\"64\"\ntarget_has_atomic=\"8\"\ntarget_has_atomic=\"ptr\"\ntarget_os=\"unknown\"\ntarget_pointer_width=\"32\"\ntarget_vendor=\"unknown\"\n","stderr":"warning: dropping unsupported crate type `dylib` for target `wasm32-unknown-unknown`\n\nwarning: dropping unsupported crate type `proc-macro` for target `wasm32-unknown-unknown`\n\nwarning: 2 warnings emitted\n\n"}},"successes":{}} \ No newline at end of file diff --git a/.old2/target/CACHEDIR.TAG b/.old2/target/CACHEDIR.TAG new file mode 100755 index 0000000..20d7c31 --- /dev/null +++ b/.old2/target/CACHEDIR.TAG @@ -0,0 +1,3 @@ +Signature: 8a477f597d28d172789f06886806bc55 +# This file is a cache directory tag created by cargo. +# For information about cache directory tags see https://bford.info/cachedir/ diff --git a/.old2/target/release/.cargo-lock b/.old2/target/release/.cargo-lock new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/dep-lib-bumpalo b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/dep-lib-bumpalo new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/dep-lib-bumpalo differ diff --git a/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/invoked.timestamp b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/lib-bumpalo b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/lib-bumpalo new file mode 100755 index 0000000..619b97b --- /dev/null +++ b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/lib-bumpalo @@ -0,0 +1 @@ +19af4d4ddcbb4f09 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/lib-bumpalo.json b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/lib-bumpalo.json new file mode 100755 index 0000000..48b7bbb --- /dev/null +++ b/.old2/target/release/.fingerprint/bumpalo-90f7d9ad42402599/lib-bumpalo.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\"]","declared_features":"[\"allocator-api2\", \"allocator_api\", \"bench_allocator_api\", \"boxed\", \"collections\", \"default\", \"serde\", \"std\"]","target":10625613344215589528,"profile":1369601567987815722,"path":18021335581970221190,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/bumpalo-90f7d9ad42402599/dep-lib-bumpalo","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/log-5aea234a9df24890/dep-lib-log b/.old2/target/release/.fingerprint/log-5aea234a9df24890/dep-lib-log new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/log-5aea234a9df24890/dep-lib-log differ diff --git a/.old2/target/release/.fingerprint/log-5aea234a9df24890/invoked.timestamp b/.old2/target/release/.fingerprint/log-5aea234a9df24890/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/log-5aea234a9df24890/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/log-5aea234a9df24890/lib-log b/.old2/target/release/.fingerprint/log-5aea234a9df24890/lib-log new file mode 100755 index 0000000..5574ac1 --- /dev/null +++ b/.old2/target/release/.fingerprint/log-5aea234a9df24890/lib-log @@ -0,0 +1 @@ +e9593c35c2872b6b \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/log-5aea234a9df24890/lib-log.json b/.old2/target/release/.fingerprint/log-5aea234a9df24890/lib-log.json new file mode 100755 index 0000000..a38159e --- /dev/null +++ b/.old2/target/release/.fingerprint/log-5aea234a9df24890/lib-log.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"kv\", \"kv_serde\", \"kv_std\", \"kv_sval\", \"kv_unstable\", \"kv_unstable_serde\", \"kv_unstable_std\", \"kv_unstable_sval\", \"max_level_debug\", \"max_level_error\", \"max_level_info\", \"max_level_off\", \"max_level_trace\", \"max_level_warn\", \"release_max_level_debug\", \"release_max_level_error\", \"release_max_level_info\", \"release_max_level_off\", \"release_max_level_trace\", \"release_max_level_warn\", \"serde\", \"std\", \"sval\", \"sval_ref\", \"value-bag\"]","target":6550155848337067049,"profile":1369601567987815722,"path":1949512521887846879,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/log-5aea234a9df24890/dep-lib-log","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/dep-lib-pin_project_internal b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/dep-lib-pin_project_internal new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/dep-lib-pin_project_internal differ diff --git a/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/invoked.timestamp b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/lib-pin_project_internal b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/lib-pin_project_internal new file mode 100755 index 0000000..5562c69 --- /dev/null +++ b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/lib-pin_project_internal @@ -0,0 +1 @@ +9e0dd302e21f042f \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/lib-pin_project_internal.json b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/lib-pin_project_internal.json new file mode 100755 index 0000000..1a2538c --- /dev/null +++ b/.old2/target/release/.fingerprint/pin-project-internal-947c0c4132f8162c/lib-pin_project_internal.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":777236694398023488,"profile":8375198932534324538,"path":2937633026300234205,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[11004406779467019477,"syn",false,16455683964674914165],[11082282709338087849,"quote",false,4428946508344014677]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/pin-project-internal-947c0c4132f8162c/dep-lib-pin_project_internal","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/dep-lib-proc_macro2 b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/dep-lib-proc_macro2 new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/dep-lib-proc_macro2 differ diff --git a/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/invoked.timestamp b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/lib-proc_macro2 b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/lib-proc_macro2 new file mode 100755 index 0000000..2859777 --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/lib-proc_macro2 @@ -0,0 +1 @@ +8478dbb97834971c \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/lib-proc_macro2.json b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/lib-proc_macro2.json new file mode 100755 index 0000000..275227f --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-30dd1c0184916507/lib-proc_macro2.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"proc-macro\"]","declared_features":"[\"default\", \"nightly\", \"proc-macro\", \"span-locations\"]","target":369203346396300798,"profile":1369601567987815722,"path":11176289305817327571,"deps":[[373107762698212489,"build_script_build",false,5882237447515614564],[10637008577242657367,"unicode_ident",false,11955821471924686553]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/proc-macro2-30dd1c0184916507/dep-lib-proc_macro2","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-9a025c1b756d91f9/run-build-script-build-script-build b/.old2/target/release/.fingerprint/proc-macro2-9a025c1b756d91f9/run-build-script-build-script-build new file mode 100755 index 0000000..8732317 --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-9a025c1b756d91f9/run-build-script-build-script-build @@ -0,0 +1 @@ +642dab07cbe7a151 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-9a025c1b756d91f9/run-build-script-build-script-build.json b/.old2/target/release/.fingerprint/proc-macro2-9a025c1b756d91f9/run-build-script-build-script-build.json new file mode 100755 index 0000000..975c525 --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-9a025c1b756d91f9/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[373107762698212489,"build_script_build",false,7618729435570435900]],"local":[{"RerunIfChanged":{"output":"release/build/proc-macro2-9a025c1b756d91f9/output","paths":["src/probe/proc_macro_span.rs","src/probe/proc_macro_span_location.rs","src/probe/proc_macro_span_file.rs"]}},{"RerunIfEnvChanged":{"var":"RUSTC_BOOTSTRAP","val":null}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/build-script-build-script-build b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/build-script-build-script-build new file mode 100755 index 0000000..1749383 --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/build-script-build-script-build @@ -0,0 +1 @@ +3cf7fc4e0e2abb69 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/build-script-build-script-build.json b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/build-script-build-script-build.json new file mode 100755 index 0000000..97a3a12 --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"proc-macro\"]","declared_features":"[\"default\", \"nightly\", \"proc-macro\", \"span-locations\"]","target":5408242616063297496,"profile":1369601567987815722,"path":2192378801666752212,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/proc-macro2-ab9829a4a8b7788d/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/invoked.timestamp b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/proc-macro2-ab9829a4a8b7788d/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/build-script-build-script-build b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/build-script-build-script-build new file mode 100755 index 0000000..2f8f3a7 --- /dev/null +++ b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/build-script-build-script-build @@ -0,0 +1 @@ +b6882a7b8fb74ce8 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/build-script-build-script-build.json b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/build-script-build-script-build.json new file mode 100755 index 0000000..71f905f --- /dev/null +++ b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"getopts\", \"html\", \"pulldown-cmark-escape\"]","declared_features":"[\"default\", \"gen-tests\", \"getopts\", \"html\", \"pulldown-cmark-escape\", \"serde\", \"simd\"]","target":5408242616063297496,"profile":1369601567987815722,"path":10958932234137617680,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/invoked.timestamp b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/pulldown-cmark-34c00e14f7cebf8e/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/dep-lib-quote b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/dep-lib-quote new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/dep-lib-quote differ diff --git a/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/invoked.timestamp b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/lib-quote b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/lib-quote new file mode 100755 index 0000000..f24ae17 --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/lib-quote @@ -0,0 +1 @@ +55370d3f62c7763d \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/lib-quote.json b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/lib-quote.json new file mode 100755 index 0000000..847eb5f --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-41756a17d2ad9431/lib-quote.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"proc-macro\"]","declared_features":"[\"default\", \"proc-macro\"]","target":3570458776599611685,"profile":1369601567987815722,"path":3723955622915916595,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[11082282709338087849,"build_script_build",false,2104762380747264388]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/quote-41756a17d2ad9431/dep-lib-quote","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/build-script-build-script-build b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/build-script-build-script-build new file mode 100755 index 0000000..2068afd --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/build-script-build-script-build @@ -0,0 +1 @@ +7e3860b240699848 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/build-script-build-script-build.json b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/build-script-build-script-build.json new file mode 100755 index 0000000..c4a714f --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"proc-macro\"]","declared_features":"[\"default\", \"proc-macro\"]","target":17883862002600103897,"profile":1369601567987815722,"path":4125130744225183600,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/quote-c63aae50eb6f480a/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/invoked.timestamp b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-c63aae50eb6f480a/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-edf8f660a3d601cc/run-build-script-build-script-build b/.old2/target/release/.fingerprint/quote-edf8f660a3d601cc/run-build-script-build-script-build new file mode 100755 index 0000000..8a41369 --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-edf8f660a3d601cc/run-build-script-build-script-build @@ -0,0 +1 @@ +84d10bd93b9e351d \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/quote-edf8f660a3d601cc/run-build-script-build-script-build.json b/.old2/target/release/.fingerprint/quote-edf8f660a3d601cc/run-build-script-build-script-build.json new file mode 100755 index 0000000..b0cfd77 --- /dev/null +++ b/.old2/target/release/.fingerprint/quote-edf8f660a3d601cc/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[11082282709338087849,"build_script_build",false,5231046693782304894]],"local":[{"RerunIfChanged":{"output":"release/build/quote-edf8f660a3d601cc/output","paths":["build.rs"]}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/build-script-build-script-build b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/build-script-build-script-build new file mode 100755 index 0000000..b3fd943 --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/build-script-build-script-build @@ -0,0 +1 @@ +41674c9f0dc0b55b \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/build-script-build-script-build.json b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/build-script-build-script-build.json new file mode 100755 index 0000000..4d2cb6f --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":17883862002600103897,"profile":1369601567987815722,"path":9069833296027194284,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/rustversion-54ebccac61fba242/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/invoked.timestamp b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-54ebccac61fba242/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-565b727e3ee60725/run-build-script-build-script-build b/.old2/target/release/.fingerprint/rustversion-565b727e3ee60725/run-build-script-build-script-build new file mode 100755 index 0000000..1ede93c --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-565b727e3ee60725/run-build-script-build-script-build @@ -0,0 +1 @@ +678d5a004db1e43e \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-565b727e3ee60725/run-build-script-build-script-build.json b/.old2/target/release/.fingerprint/rustversion-565b727e3ee60725/run-build-script-build-script-build.json new file mode 100755 index 0000000..15078f0 --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-565b727e3ee60725/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[14156967978702956262,"build_script_build",false,6608399192975763265]],"local":[{"RerunIfChanged":{"output":"release/build/rustversion-565b727e3ee60725/output","paths":["build/build.rs"]}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/dep-lib-rustversion b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/dep-lib-rustversion new file mode 100755 index 0000000..79d6a13 Binary files /dev/null and b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/dep-lib-rustversion differ diff --git a/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/invoked.timestamp b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/lib-rustversion b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/lib-rustversion new file mode 100755 index 0000000..c165921 --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/lib-rustversion @@ -0,0 +1 @@ +68e11db969269cac \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/lib-rustversion.json b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/lib-rustversion.json new file mode 100755 index 0000000..06e87d8 --- /dev/null +++ b/.old2/target/release/.fingerprint/rustversion-8b3ccc11003710ff/lib-rustversion.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":179193587114931863,"profile":1369601567987815722,"path":3403675903571711802,"deps":[[14156967978702956262,"build_script_build",false,4531942069318094183]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/rustversion-8b3ccc11003710ff/dep-lib-rustversion","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/build-script-build-script-build b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/build-script-build-script-build new file mode 100755 index 0000000..9408220 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/build-script-build-script-build @@ -0,0 +1 @@ +905b8d15a2017625 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/build-script-build-script-build.json b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/build-script-build-script-build.json new file mode 100755 index 0000000..9874807 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"derive\", \"serde_derive\", \"std\"]","declared_features":"[\"alloc\", \"default\", \"derive\", \"rc\", \"serde_derive\", \"std\", \"unstable\"]","target":5408242616063297496,"profile":1369601567987815722,"path":8032614489724587464,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/serde-9e59eb4de4feaddb/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/invoked.timestamp b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/serde-9e59eb4de4feaddb/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/build-script-build-script-build b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/build-script-build-script-build new file mode 100755 index 0000000..17dd1f7 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/build-script-build-script-build @@ -0,0 +1 @@ +41df31b9c58a185b \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/build-script-build-script-build.json b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/build-script-build-script-build.json new file mode 100755 index 0000000..2ba167e --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"result\", \"std\"]","declared_features":"[\"alloc\", \"default\", \"rc\", \"result\", \"std\", \"unstable\"]","target":5408242616063297496,"profile":1369601567987815722,"path":16654701919491191369,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/serde_core-51979789556dbb03/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/invoked.timestamp b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_core-51979789556dbb03/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/dep-lib-serde_derive b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/dep-lib-serde_derive new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/dep-lib-serde_derive differ diff --git a/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/invoked.timestamp b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/lib-serde_derive b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/lib-serde_derive new file mode 100755 index 0000000..3fbd8c7 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/lib-serde_derive @@ -0,0 +1 @@ +302811829f39dd6a \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/lib-serde_derive.json b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/lib-serde_derive.json new file mode 100755 index 0000000..17461a8 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_derive-6e135ed1ce51090e/lib-serde_derive.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\"]","declared_features":"[\"default\", \"deserialize_in_place\"]","target":13076129734743110817,"profile":1369601567987815722,"path":13115199052645423018,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[11004406779467019477,"syn",false,16455683964674914165],[11082282709338087849,"quote",false,4428946508344014677]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/serde_derive-6e135ed1ce51090e/dep-lib-serde_derive","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/build-script-build-script-build b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/build-script-build-script-build new file mode 100755 index 0000000..e9774f5 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/build-script-build-script-build @@ -0,0 +1 @@ +c39f3869ae87634d \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/build-script-build-script-build.json b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/build-script-build-script-build.json new file mode 100755 index 0000000..98db742 --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"alloc\", \"arbitrary_precision\", \"default\", \"float_roundtrip\", \"indexmap\", \"preserve_order\", \"raw_value\", \"std\", \"unbounded_depth\"]","target":5408242616063297496,"profile":1369601567987815722,"path":2655935997670744472,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/serde_json-8b3de377bc751c67/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/invoked.timestamp b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/serde_json-8b3de377bc751c67/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/dep-lib-syn b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/dep-lib-syn new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/dep-lib-syn differ diff --git a/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/invoked.timestamp b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/lib-syn b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/lib-syn new file mode 100755 index 0000000..ec02744 --- /dev/null +++ b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/lib-syn @@ -0,0 +1 @@ +75378a4261555ee4 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/lib-syn.json b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/lib-syn.json new file mode 100755 index 0000000..78ccc00 --- /dev/null +++ b/.old2/target/release/.fingerprint/syn-3e4be17fbb5e4518/lib-syn.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"clone-impls\", \"default\", \"derive\", \"full\", \"parsing\", \"printing\", \"proc-macro\", \"visit\", \"visit-mut\"]","declared_features":"[\"clone-impls\", \"default\", \"derive\", \"extra-traits\", \"fold\", \"full\", \"parsing\", \"printing\", \"proc-macro\", \"test\", \"visit\", \"visit-mut\"]","target":9442126953582868550,"profile":1369601567987815722,"path":1145770566211340056,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[10637008577242657367,"unicode_ident",false,11955821471924686553],[11082282709338087849,"quote",false,4428946508344014677]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/syn-3e4be17fbb5e4518/dep-lib-syn","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/build-script-build-script-build b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/build-script-build-script-build new file mode 100755 index 0000000..ca7a2bd --- /dev/null +++ b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/build-script-build-script-build @@ -0,0 +1 @@ +829d96d92fbea883 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/build-script-build-script-build.json b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/build-script-build-script-build.json new file mode 100755 index 0000000..b397e12 --- /dev/null +++ b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":5408242616063297496,"profile":1369601567987815722,"path":10978135054336441344,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/thiserror-bed25e52cb0980b7/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/invoked.timestamp b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/thiserror-bed25e52cb0980b7/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/dep-lib-thiserror_impl b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/dep-lib-thiserror_impl new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/dep-lib-thiserror_impl differ diff --git a/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/invoked.timestamp b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/lib-thiserror_impl b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/lib-thiserror_impl new file mode 100755 index 0000000..b97e217 --- /dev/null +++ b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/lib-thiserror_impl @@ -0,0 +1 @@ +caba56cc385faf64 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/lib-thiserror_impl.json b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/lib-thiserror_impl.json new file mode 100755 index 0000000..b06c41c --- /dev/null +++ b/.old2/target/release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/lib-thiserror_impl.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":6216210811039475267,"profile":1369601567987815722,"path":14996258763805931108,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[11004406779467019477,"syn",false,16455683964674914165],[11082282709338087849,"quote",false,4428946508344014677]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/thiserror-impl-dbd9297e032fc2d8/dep-lib-thiserror_impl","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/dep-lib-unicode_ident b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/dep-lib-unicode_ident new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/dep-lib-unicode_ident differ diff --git a/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/invoked.timestamp b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/lib-unicode_ident b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/lib-unicode_ident new file mode 100755 index 0000000..cfc1f8a --- /dev/null +++ b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/lib-unicode_ident @@ -0,0 +1 @@ +d90e0fb8489ceba5 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/lib-unicode_ident.json b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/lib-unicode_ident.json new file mode 100755 index 0000000..e75a4e3 --- /dev/null +++ b/.old2/target/release/.fingerprint/unicode-ident-d90ab847601a2565/lib-unicode_ident.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":5438535436255082082,"profile":1369601567987815722,"path":4168965128746118673,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/unicode-ident-d90ab847601a2565/dep-lib-unicode_ident","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/build-script-build-script-build b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/build-script-build-script-build new file mode 100755 index 0000000..2800866 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/build-script-build-script-build @@ -0,0 +1 @@ +a68cc2665dba328d \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/build-script-build-script-build.json b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/build-script-build-script-build.json new file mode 100755 index 0000000..16b7c06 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"enable-interning\", \"gg-alloc\", \"msrv\", \"rustversion\", \"serde\", \"serde-serialize\", \"serde_json\", \"spans\", \"std\", \"strict-macro\", \"xxx_debug_only_print_generated_code\"]","target":5408242616063297496,"profile":15199102770819487777,"path":6302099626177280905,"deps":[[14156967978702956262,"rustversion_compat",false,12437858506409632104]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/wasm-bindgen-169734c16416b940/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/invoked.timestamp b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-169734c16416b940/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/dep-lib-wasm_bindgen_backend b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/dep-lib-wasm_bindgen_backend new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/dep-lib-wasm_bindgen_backend differ diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/invoked.timestamp b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/lib-wasm_bindgen_backend b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/lib-wasm_bindgen_backend new file mode 100755 index 0000000..0a94415 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/lib-wasm_bindgen_backend @@ -0,0 +1 @@ +9758d0dceb0289e1 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/lib-wasm_bindgen_backend.json b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/lib-wasm_bindgen_backend.json new file mode 100755 index 0000000..131adbc --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/lib-wasm_bindgen_backend.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"extra-traits\"]","target":4856214846215393392,"profile":15199102770819487777,"path":7041165956988028351,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[11004406779467019477,"syn",false,16455683964674914165],[11082282709338087849,"quote",false,4428946508344014677],[13066042571740262168,"log",false,7722415254243400169],[13336078982182647123,"bumpalo",false,670961424365629209],[17704658107979109294,"wasm_bindgen_shared",false,5877368374867981988]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/wasm-bindgen-backend-3dc8fb76cb826b78/dep-lib-wasm_bindgen_backend","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/dep-lib-wasm_bindgen_macro b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/dep-lib-wasm_bindgen_macro new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/dep-lib-wasm_bindgen_macro differ diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/invoked.timestamp b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/lib-wasm_bindgen_macro b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/lib-wasm_bindgen_macro new file mode 100755 index 0000000..5a8c846 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/lib-wasm_bindgen_macro @@ -0,0 +1 @@ +73ac18fce60d2fac \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/lib-wasm_bindgen_macro.json b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/lib-wasm_bindgen_macro.json new file mode 100755 index 0000000..63f9fa9 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/lib-wasm_bindgen_macro.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"strict-macro\"]","target":6875603382767429092,"profile":15199102770819487777,"path":8689684844102863535,"deps":[[9045826758719439704,"wasm_bindgen_macro_support",false,17375033153936002629],[11082282709338087849,"quote",false,4428946508344014677]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/wasm-bindgen-macro-8e07f94c7aef9726/dep-lib-wasm_bindgen_macro","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/dep-lib-wasm_bindgen_macro_support b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/dep-lib-wasm_bindgen_macro_support new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/dep-lib-wasm_bindgen_macro_support differ diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/invoked.timestamp b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/lib-wasm_bindgen_macro_support b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/lib-wasm_bindgen_macro_support new file mode 100755 index 0000000..25e5bbb --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/lib-wasm_bindgen_macro_support @@ -0,0 +1 @@ +458efdbc988420f1 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/lib-wasm_bindgen_macro_support.json b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/lib-wasm_bindgen_macro_support.json new file mode 100755 index 0000000..49d2c06 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/lib-wasm_bindgen_macro_support.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"extra-traits\", \"strict-macro\"]","target":17930477452216118438,"profile":15199102770819487777,"path":9807279120194955360,"deps":[[373107762698212489,"proc_macro2",false,2060173047664179332],[11004406779467019477,"syn",false,16455683964674914165],[11082282709338087849,"quote",false,4428946508344014677],[11626404691908865688,"wasm_bindgen_backend",false,16251523942388357271],[17704658107979109294,"wasm_bindgen_shared",false,5877368374867981988]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/wasm-bindgen-macro-support-652b8e12e9fec6db/dep-lib-wasm_bindgen_macro_support","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-52604a74c489cc9d/run-build-script-build-script-build b/.old2/target/release/.fingerprint/wasm-bindgen-shared-52604a74c489cc9d/run-build-script-build-script-build new file mode 100755 index 0000000..65dd36a --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-52604a74c489cc9d/run-build-script-build-script-build @@ -0,0 +1 @@ +f93dcf6b7de0b0f1 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-52604a74c489cc9d/run-build-script-build-script-build.json b/.old2/target/release/.fingerprint/wasm-bindgen-shared-52604a74c489cc9d/run-build-script-build-script-build.json new file mode 100755 index 0000000..5539151 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-52604a74c489cc9d/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[17704658107979109294,"build_script_build",false,2179265515476752570]],"local":[{"Precalculated":"0.2.104"}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/dep-lib-wasm_bindgen_shared b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/dep-lib-wasm_bindgen_shared new file mode 100755 index 0000000..5e55038 Binary files /dev/null and b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/dep-lib-wasm_bindgen_shared differ diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/invoked.timestamp b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/lib-wasm_bindgen_shared b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/lib-wasm_bindgen_shared new file mode 100755 index 0000000..2f90cbe --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/lib-wasm_bindgen_shared @@ -0,0 +1 @@ +a4f61eb6659b9051 \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/lib-wasm_bindgen_shared.json b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/lib-wasm_bindgen_shared.json new file mode 100755 index 0000000..f029aaa --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/lib-wasm_bindgen_shared.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":8958406094080315647,"profile":15199102770819487777,"path":16634040127859469212,"deps":[[10637008577242657367,"unicode_ident",false,11955821471924686553],[17704658107979109294,"build_script_build",false,17415666588325985785]],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/wasm-bindgen-shared-67cc6bab2e34ba90/dep-lib-wasm_bindgen_shared","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/build-script-build-script-build b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/build-script-build-script-build new file mode 100755 index 0000000..af13e12 --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/build-script-build-script-build @@ -0,0 +1 @@ +ba1840a9704e3e1e \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/build-script-build-script-build.json b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/build-script-build-script-build.json new file mode 100755 index 0000000..adbed2f --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":5408242616063297496,"profile":15199102770819487777,"path":9021040664730933614,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/dep-build-script-build-script-build","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/dep-build-script-build-script-build b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/dep-build-script-build-script-build new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/dep-build-script-build-script-build differ diff --git a/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/invoked.timestamp b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/.fingerprint/wasm-bindgen-shared-732905f907b9edc2/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/invoked.timestamp b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/output b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/output new file mode 100755 index 0000000..d3d235a --- /dev/null +++ b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/output @@ -0,0 +1,23 @@ +cargo:rustc-check-cfg=cfg(fuzzing) +cargo:rustc-check-cfg=cfg(no_is_available) +cargo:rustc-check-cfg=cfg(no_literal_byte_character) +cargo:rustc-check-cfg=cfg(no_literal_c_string) +cargo:rustc-check-cfg=cfg(no_source_text) +cargo:rustc-check-cfg=cfg(proc_macro_span) +cargo:rustc-check-cfg=cfg(proc_macro_span_file) +cargo:rustc-check-cfg=cfg(proc_macro_span_location) +cargo:rustc-check-cfg=cfg(procmacro2_backtrace) +cargo:rustc-check-cfg=cfg(procmacro2_build_probe) +cargo:rustc-check-cfg=cfg(procmacro2_nightly_testing) +cargo:rustc-check-cfg=cfg(procmacro2_semver_exempt) +cargo:rustc-check-cfg=cfg(randomize_layout) +cargo:rustc-check-cfg=cfg(span_locations) +cargo:rustc-check-cfg=cfg(super_unstable) +cargo:rustc-check-cfg=cfg(wrap_proc_macro) +cargo:rerun-if-changed=src/probe/proc_macro_span.rs +cargo:rustc-cfg=wrap_proc_macro +cargo:rerun-if-changed=src/probe/proc_macro_span_location.rs +cargo:rustc-cfg=proc_macro_span_location +cargo:rerun-if-changed=src/probe/proc_macro_span_file.rs +cargo:rustc-cfg=proc_macro_span_file +cargo:rerun-if-env-changed=RUSTC_BOOTSTRAP diff --git a/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/root-output b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/root-output new file mode 100755 index 0000000..063e838 --- /dev/null +++ b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/proc-macro2-9a025c1b756d91f9/out \ No newline at end of file diff --git a/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/stderr b/.old2/target/release/build/proc-macro2-9a025c1b756d91f9/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build-script-build b/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build-script-build new file mode 100755 index 0000000..adf55e6 Binary files /dev/null and b/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build-script-build differ diff --git a/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d b/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d new file mode 100755 index 0000000..adf55e6 Binary files /dev/null and b/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d differ diff --git a/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d.d b/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d.d new file mode 100755 index 0000000..6fcc2cc --- /dev/null +++ b/.old2/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/proc-macro2-ab9829a4a8b7788d/build_script_build-ab9829a4a8b7788d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/build.rs: diff --git a/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build-script-build b/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build-script-build new file mode 100755 index 0000000..d6b16b6 Binary files /dev/null and b/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build-script-build differ diff --git a/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e b/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e new file mode 100755 index 0000000..d6b16b6 Binary files /dev/null and b/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e differ diff --git a/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e.d b/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e.d new file mode 100755 index 0000000..9a1791c --- /dev/null +++ b/.old2/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/pulldown-cmark-34c00e14f7cebf8e/build_script_build-34c00e14f7cebf8e: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/build.rs: diff --git a/.old2/target/release/build/quote-c63aae50eb6f480a/build-script-build b/.old2/target/release/build/quote-c63aae50eb6f480a/build-script-build new file mode 100755 index 0000000..8065b50 Binary files /dev/null and b/.old2/target/release/build/quote-c63aae50eb6f480a/build-script-build differ diff --git a/.old2/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a b/.old2/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a new file mode 100755 index 0000000..8065b50 Binary files /dev/null and b/.old2/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a differ diff --git a/.old2/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a.d b/.old2/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a.d new file mode 100755 index 0000000..875a6de --- /dev/null +++ b/.old2/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/quote-c63aae50eb6f480a/build_script_build-c63aae50eb6f480a: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/build.rs: diff --git a/.old2/target/release/build/quote-edf8f660a3d601cc/invoked.timestamp b/.old2/target/release/build/quote-edf8f660a3d601cc/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/build/quote-edf8f660a3d601cc/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/build/quote-edf8f660a3d601cc/output b/.old2/target/release/build/quote-edf8f660a3d601cc/output new file mode 100755 index 0000000..6d81eca --- /dev/null +++ b/.old2/target/release/build/quote-edf8f660a3d601cc/output @@ -0,0 +1,2 @@ +cargo:rerun-if-changed=build.rs +cargo:rustc-check-cfg=cfg(no_diagnostic_namespace) diff --git a/.old2/target/release/build/quote-edf8f660a3d601cc/root-output b/.old2/target/release/build/quote-edf8f660a3d601cc/root-output new file mode 100755 index 0000000..741feca --- /dev/null +++ b/.old2/target/release/build/quote-edf8f660a3d601cc/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/quote-edf8f660a3d601cc/out \ No newline at end of file diff --git a/.old2/target/release/build/quote-edf8f660a3d601cc/stderr b/.old2/target/release/build/quote-edf8f660a3d601cc/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/release/build/rustversion-54ebccac61fba242/build-script-build b/.old2/target/release/build/rustversion-54ebccac61fba242/build-script-build new file mode 100755 index 0000000..eef542f Binary files /dev/null and b/.old2/target/release/build/rustversion-54ebccac61fba242/build-script-build differ diff --git a/.old2/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242 b/.old2/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242 new file mode 100755 index 0000000..eef542f Binary files /dev/null and b/.old2/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242 differ diff --git a/.old2/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242.d b/.old2/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242.d new file mode 100755 index 0000000..1b7da50 --- /dev/null +++ b/.old2/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242.d @@ -0,0 +1,6 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/build/build.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/build/rustc.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-54ebccac61fba242/build_script_build-54ebccac61fba242: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/build/build.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/build/rustc.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/build/build.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/build/rustc.rs: diff --git a/.old2/target/release/build/rustversion-565b727e3ee60725/invoked.timestamp b/.old2/target/release/build/rustversion-565b727e3ee60725/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/build/rustversion-565b727e3ee60725/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/build/rustversion-565b727e3ee60725/out/version.expr b/.old2/target/release/build/rustversion-565b727e3ee60725/out/version.expr new file mode 100755 index 0000000..899b3d5 --- /dev/null +++ b/.old2/target/release/build/rustversion-565b727e3ee60725/out/version.expr @@ -0,0 +1,5 @@ +crate::version::Version { + minor: 90, + patch: 0, + channel: crate::version::Channel::Stable, +} diff --git a/.old2/target/release/build/rustversion-565b727e3ee60725/output b/.old2/target/release/build/rustversion-565b727e3ee60725/output new file mode 100755 index 0000000..c2182eb --- /dev/null +++ b/.old2/target/release/build/rustversion-565b727e3ee60725/output @@ -0,0 +1,3 @@ +cargo:rerun-if-changed=build/build.rs +cargo:rustc-check-cfg=cfg(cfg_macro_not_allowed) +cargo:rustc-check-cfg=cfg(host_os, values("windows")) diff --git a/.old2/target/release/build/rustversion-565b727e3ee60725/root-output b/.old2/target/release/build/rustversion-565b727e3ee60725/root-output new file mode 100755 index 0000000..090afdc --- /dev/null +++ b/.old2/target/release/build/rustversion-565b727e3ee60725/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-565b727e3ee60725/out \ No newline at end of file diff --git a/.old2/target/release/build/rustversion-565b727e3ee60725/stderr b/.old2/target/release/build/rustversion-565b727e3ee60725/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/release/build/serde-9e59eb4de4feaddb/build-script-build b/.old2/target/release/build/serde-9e59eb4de4feaddb/build-script-build new file mode 100755 index 0000000..978cab9 Binary files /dev/null and b/.old2/target/release/build/serde-9e59eb4de4feaddb/build-script-build differ diff --git a/.old2/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb b/.old2/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb new file mode 100755 index 0000000..978cab9 Binary files /dev/null and b/.old2/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb differ diff --git a/.old2/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb.d b/.old2/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb.d new file mode 100755 index 0000000..e6545c1 --- /dev/null +++ b/.old2/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/serde-9e59eb4de4feaddb/build_script_build-9e59eb4de4feaddb: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/build.rs: diff --git a/.old2/target/release/build/serde_core-51979789556dbb03/build-script-build b/.old2/target/release/build/serde_core-51979789556dbb03/build-script-build new file mode 100755 index 0000000..8269004 Binary files /dev/null and b/.old2/target/release/build/serde_core-51979789556dbb03/build-script-build differ diff --git a/.old2/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03 b/.old2/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03 new file mode 100755 index 0000000..8269004 Binary files /dev/null and b/.old2/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03 differ diff --git a/.old2/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03.d b/.old2/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03.d new file mode 100755 index 0000000..ed94b0f --- /dev/null +++ b/.old2/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/serde_core-51979789556dbb03/build_script_build-51979789556dbb03: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/build.rs: diff --git a/.old2/target/release/build/serde_json-8b3de377bc751c67/build-script-build b/.old2/target/release/build/serde_json-8b3de377bc751c67/build-script-build new file mode 100755 index 0000000..d95ad3c Binary files /dev/null and b/.old2/target/release/build/serde_json-8b3de377bc751c67/build-script-build differ diff --git a/.old2/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67 b/.old2/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67 new file mode 100755 index 0000000..d95ad3c Binary files /dev/null and b/.old2/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67 differ diff --git a/.old2/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67.d b/.old2/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67.d new file mode 100755 index 0000000..b811b15 --- /dev/null +++ b/.old2/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/serde_json-8b3de377bc751c67/build_script_build-8b3de377bc751c67: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/build.rs: diff --git a/.old2/target/release/build/thiserror-bed25e52cb0980b7/build-script-build b/.old2/target/release/build/thiserror-bed25e52cb0980b7/build-script-build new file mode 100755 index 0000000..e1c7c09 Binary files /dev/null and b/.old2/target/release/build/thiserror-bed25e52cb0980b7/build-script-build differ diff --git a/.old2/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7 b/.old2/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7 new file mode 100755 index 0000000..e1c7c09 Binary files /dev/null and b/.old2/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7 differ diff --git a/.old2/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7.d b/.old2/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7.d new file mode 100755 index 0000000..105f690 --- /dev/null +++ b/.old2/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/thiserror-bed25e52cb0980b7/build_script_build-bed25e52cb0980b7: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/build.rs: diff --git a/.old2/target/release/build/wasm-bindgen-169734c16416b940/build-script-build b/.old2/target/release/build/wasm-bindgen-169734c16416b940/build-script-build new file mode 100755 index 0000000..7b11922 Binary files /dev/null and b/.old2/target/release/build/wasm-bindgen-169734c16416b940/build-script-build differ diff --git a/.old2/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940 b/.old2/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940 new file mode 100755 index 0000000..7b11922 Binary files /dev/null and b/.old2/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940 differ diff --git a/.old2/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940.d b/.old2/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940.d new file mode 100755 index 0000000..d16203d --- /dev/null +++ b/.old2/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/wasm-bindgen-169734c16416b940/build_script_build-169734c16416b940: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/build.rs: diff --git a/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/invoked.timestamp b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/output b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/output new file mode 100755 index 0000000..4b57138 --- /dev/null +++ b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/output @@ -0,0 +1 @@ +cargo:rustc-env=SCHEMA_FILE_HASH=5268316563830462177 diff --git a/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/root-output b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/root-output new file mode 100755 index 0000000..eaa229e --- /dev/null +++ b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/out \ No newline at end of file diff --git a/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/stderr b/.old2/target/release/build/wasm-bindgen-shared-52604a74c489cc9d/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build-script-build b/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build-script-build new file mode 100755 index 0000000..cf0789c Binary files /dev/null and b/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build-script-build differ diff --git a/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2 b/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2 new file mode 100755 index 0000000..cf0789c Binary files /dev/null and b/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2 differ diff --git a/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2.d b/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2.d new file mode 100755 index 0000000..8783c17 --- /dev/null +++ b/.old2/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/build.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/wasm-bindgen-shared-732905f907b9edc2/build_script_build-732905f907b9edc2: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/build.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/build.rs: diff --git a/.old2/target/release/deps/bumpalo-90f7d9ad42402599.d b/.old2/target/release/deps/bumpalo-90f7d9ad42402599.d new file mode 100755 index 0000000..e26f38d --- /dev/null +++ b/.old2/target/release/deps/bumpalo-90f7d9ad42402599.d @@ -0,0 +1,9 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/bumpalo-90f7d9ad42402599.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/alloc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/../README.md + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libbumpalo-90f7d9ad42402599.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/alloc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/../README.md + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libbumpalo-90f7d9ad42402599.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/alloc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/../README.md + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/alloc.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bumpalo-3.19.0/src/../README.md: diff --git a/.old2/target/release/deps/libbumpalo-90f7d9ad42402599.rlib b/.old2/target/release/deps/libbumpalo-90f7d9ad42402599.rlib new file mode 100755 index 0000000..7dc138d Binary files /dev/null and b/.old2/target/release/deps/libbumpalo-90f7d9ad42402599.rlib differ diff --git a/.old2/target/release/deps/libbumpalo-90f7d9ad42402599.rmeta b/.old2/target/release/deps/libbumpalo-90f7d9ad42402599.rmeta new file mode 100755 index 0000000..ee44605 Binary files /dev/null and b/.old2/target/release/deps/libbumpalo-90f7d9ad42402599.rmeta differ diff --git a/.old2/target/release/deps/liblog-5aea234a9df24890.rlib b/.old2/target/release/deps/liblog-5aea234a9df24890.rlib new file mode 100755 index 0000000..18b8b15 Binary files /dev/null and b/.old2/target/release/deps/liblog-5aea234a9df24890.rlib differ diff --git a/.old2/target/release/deps/liblog-5aea234a9df24890.rmeta b/.old2/target/release/deps/liblog-5aea234a9df24890.rmeta new file mode 100755 index 0000000..6a8ec99 Binary files /dev/null and b/.old2/target/release/deps/liblog-5aea234a9df24890.rmeta differ diff --git a/.old2/target/release/deps/libpin_project_internal-947c0c4132f8162c.so b/.old2/target/release/deps/libpin_project_internal-947c0c4132f8162c.so new file mode 100755 index 0000000..1a00a8f Binary files /dev/null and b/.old2/target/release/deps/libpin_project_internal-947c0c4132f8162c.so differ diff --git a/.old2/target/release/deps/libproc_macro2-30dd1c0184916507.rlib b/.old2/target/release/deps/libproc_macro2-30dd1c0184916507.rlib new file mode 100755 index 0000000..1d03b87 Binary files /dev/null and b/.old2/target/release/deps/libproc_macro2-30dd1c0184916507.rlib differ diff --git a/.old2/target/release/deps/libproc_macro2-30dd1c0184916507.rmeta b/.old2/target/release/deps/libproc_macro2-30dd1c0184916507.rmeta new file mode 100755 index 0000000..cfdca38 Binary files /dev/null and b/.old2/target/release/deps/libproc_macro2-30dd1c0184916507.rmeta differ diff --git a/.old2/target/release/deps/libquote-41756a17d2ad9431.rlib b/.old2/target/release/deps/libquote-41756a17d2ad9431.rlib new file mode 100755 index 0000000..1cc85d6 Binary files /dev/null and b/.old2/target/release/deps/libquote-41756a17d2ad9431.rlib differ diff --git a/.old2/target/release/deps/libquote-41756a17d2ad9431.rmeta b/.old2/target/release/deps/libquote-41756a17d2ad9431.rmeta new file mode 100755 index 0000000..a888ccf Binary files /dev/null and b/.old2/target/release/deps/libquote-41756a17d2ad9431.rmeta differ diff --git a/.old2/target/release/deps/librustversion-8b3ccc11003710ff.so b/.old2/target/release/deps/librustversion-8b3ccc11003710ff.so new file mode 100755 index 0000000..cc9e3f3 Binary files /dev/null and b/.old2/target/release/deps/librustversion-8b3ccc11003710ff.so differ diff --git a/.old2/target/release/deps/libserde_derive-6e135ed1ce51090e.so b/.old2/target/release/deps/libserde_derive-6e135ed1ce51090e.so new file mode 100755 index 0000000..0fcd81d Binary files /dev/null and b/.old2/target/release/deps/libserde_derive-6e135ed1ce51090e.so differ diff --git a/.old2/target/release/deps/libsyn-3e4be17fbb5e4518.rlib b/.old2/target/release/deps/libsyn-3e4be17fbb5e4518.rlib new file mode 100755 index 0000000..4f2483a Binary files /dev/null and b/.old2/target/release/deps/libsyn-3e4be17fbb5e4518.rlib differ diff --git a/.old2/target/release/deps/libsyn-3e4be17fbb5e4518.rmeta b/.old2/target/release/deps/libsyn-3e4be17fbb5e4518.rmeta new file mode 100755 index 0000000..fb00152 Binary files /dev/null and b/.old2/target/release/deps/libsyn-3e4be17fbb5e4518.rmeta differ diff --git a/.old2/target/release/deps/libthiserror_impl-dbd9297e032fc2d8.so b/.old2/target/release/deps/libthiserror_impl-dbd9297e032fc2d8.so new file mode 100755 index 0000000..7954b61 Binary files /dev/null and b/.old2/target/release/deps/libthiserror_impl-dbd9297e032fc2d8.so differ diff --git a/.old2/target/release/deps/libunicode_ident-d90ab847601a2565.rlib b/.old2/target/release/deps/libunicode_ident-d90ab847601a2565.rlib new file mode 100755 index 0000000..23b76a1 Binary files /dev/null and b/.old2/target/release/deps/libunicode_ident-d90ab847601a2565.rlib differ diff --git a/.old2/target/release/deps/libunicode_ident-d90ab847601a2565.rmeta b/.old2/target/release/deps/libunicode_ident-d90ab847601a2565.rmeta new file mode 100755 index 0000000..ab4ce19 Binary files /dev/null and b/.old2/target/release/deps/libunicode_ident-d90ab847601a2565.rmeta differ diff --git a/.old2/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rlib b/.old2/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rlib new file mode 100755 index 0000000..9ff3e60 Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rlib differ diff --git a/.old2/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rmeta b/.old2/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rmeta new file mode 100755 index 0000000..5034fac Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rmeta differ diff --git a/.old2/target/release/deps/libwasm_bindgen_macro-8e07f94c7aef9726.so b/.old2/target/release/deps/libwasm_bindgen_macro-8e07f94c7aef9726.so new file mode 100755 index 0000000..68cf35c Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_macro-8e07f94c7aef9726.so differ diff --git a/.old2/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rlib b/.old2/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rlib new file mode 100755 index 0000000..0fec6c4 Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rlib differ diff --git a/.old2/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rmeta b/.old2/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rmeta new file mode 100755 index 0000000..a515f02 Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rmeta differ diff --git a/.old2/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rlib b/.old2/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rlib new file mode 100755 index 0000000..994431b Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rlib differ diff --git a/.old2/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rmeta b/.old2/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rmeta new file mode 100755 index 0000000..8afb8f2 Binary files /dev/null and b/.old2/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rmeta differ diff --git a/.old2/target/release/deps/log-5aea234a9df24890.d b/.old2/target/release/deps/log-5aea234a9df24890.d new file mode 100755 index 0000000..ed1c09b --- /dev/null +++ b/.old2/target/release/deps/log-5aea234a9df24890.d @@ -0,0 +1,10 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/log-5aea234a9df24890.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/serde.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/__private_api.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/liblog-5aea234a9df24890.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/serde.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/__private_api.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/liblog-5aea234a9df24890.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/serde.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/__private_api.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/serde.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/log-0.4.28/src/__private_api.rs: diff --git a/.old2/target/release/deps/pin_project_internal-947c0c4132f8162c.d b/.old2/target/release/deps/pin_project_internal-947c0c4132f8162c.d new file mode 100755 index 0000000..7251ed7 --- /dev/null +++ b/.old2/target/release/deps/pin_project_internal-947c0c4132f8162c.d @@ -0,0 +1,12 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/pin_project_internal-947c0c4132f8162c.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/args.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/attribute.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/derive.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pinned_drop.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libpin_project_internal-947c0c4132f8162c.so: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/args.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/attribute.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/derive.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pinned_drop.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/utils.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/args.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/attribute.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pin_project/derive.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-internal-1.1.10/src/pinned_drop.rs: diff --git a/.old2/target/release/deps/proc_macro2-30dd1c0184916507.d b/.old2/target/release/deps/proc_macro2-30dd1c0184916507.d new file mode 100755 index 0000000..80eac3f --- /dev/null +++ b/.old2/target/release/deps/proc_macro2-30dd1c0184916507.d @@ -0,0 +1,17 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/proc_macro2-30dd1c0184916507.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/marker.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_file.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/rcvec.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/detection.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/fallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/extra.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/wrapper.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libproc_macro2-30dd1c0184916507.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/marker.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_file.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/rcvec.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/detection.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/fallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/extra.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/wrapper.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libproc_macro2-30dd1c0184916507.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/marker.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_file.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/rcvec.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/detection.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/fallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/extra.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/wrapper.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/marker.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/parse.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_file.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/probe/proc_macro_span_location.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/rcvec.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/detection.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/fallback.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/extra.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.101/src/wrapper.rs: diff --git a/.old2/target/release/deps/quote-41756a17d2ad9431.d b/.old2/target/release/deps/quote-41756a17d2ad9431.d new file mode 100755 index 0000000..936bc62 --- /dev/null +++ b/.old2/target/release/deps/quote-41756a17d2ad9431.d @@ -0,0 +1,13 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/quote-41756a17d2ad9431.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/format.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ident_fragment.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/to_tokens.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/runtime.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/spanned.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libquote-41756a17d2ad9431.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/format.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ident_fragment.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/to_tokens.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/runtime.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/spanned.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libquote-41756a17d2ad9431.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/format.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ident_fragment.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/to_tokens.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/runtime.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/spanned.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ext.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/format.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/ident_fragment.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/to_tokens.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/runtime.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.41/src/spanned.rs: diff --git a/.old2/target/release/deps/rustversion-8b3ccc11003710ff.d b/.old2/target/release/deps/rustversion-8b3ccc11003710ff.d new file mode 100755 index 0000000..8224d08 --- /dev/null +++ b/.old2/target/release/deps/rustversion-8b3ccc11003710ff.d @@ -0,0 +1,20 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/rustversion-8b3ccc11003710ff.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/bound.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/constfn.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/date.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/expand.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/release.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/time.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/token.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/version.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-565b727e3ee60725/out/version.expr + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/librustversion-8b3ccc11003710ff.so: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/bound.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/constfn.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/date.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/expand.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/release.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/time.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/token.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/version.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-565b727e3ee60725/out/version.expr + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/attr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/bound.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/constfn.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/date.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/expand.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/expr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/release.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/time.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/token.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustversion-1.0.22/src/version.rs: +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-565b727e3ee60725/out/version.expr: + +# env-dep:OUT_DIR=/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/build/rustversion-565b727e3ee60725/out diff --git a/.old2/target/release/deps/serde_derive-6e135ed1ce51090e.d b/.old2/target/release/deps/serde_derive-6e135ed1ce51090e.d new file mode 100755 index 0000000..1e0c450 --- /dev/null +++ b/.old2/target/release/deps/serde_derive-6e135ed1ce51090e.d @@ -0,0 +1,34 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/serde_derive-6e135ed1ce51090e.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/case.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/check.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/ctxt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/receiver.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/respan.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/symbol.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/bound.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/fragment.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_adjacently.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_externally.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_internally.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_untagged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/struct_.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/tuple.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/unit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/deprecated.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/dummy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/pretend.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/this.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libserde_derive-6e135ed1ce51090e.so: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/case.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/check.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/ctxt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/receiver.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/respan.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/symbol.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/bound.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/fragment.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_adjacently.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_externally.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_internally.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_untagged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/struct_.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/tuple.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/unit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/deprecated.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/dummy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/pretend.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/this.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/ast.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/attr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/name.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/case.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/check.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/ctxt.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/receiver.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/respan.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/internals/symbol.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/bound.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/fragment.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_adjacently.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_externally.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_internally.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/enum_untagged.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/identifier.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/struct_.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/tuple.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/de/unit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/deprecated.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/dummy.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/pretend.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/ser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.228/src/this.rs: + +# env-dep:CARGO_PKG_VERSION_PATCH=228 diff --git a/.old2/target/release/deps/syn-3e4be17fbb5e4518.d b/.old2/target/release/deps/syn-3e4be17fbb5e4518.d new file mode 100755 index 0000000..9e241f9 --- /dev/null +++ b/.old2/target/release/deps/syn-3e4be17fbb5e4518.d @@ -0,0 +1,55 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/syn-3e4be17fbb5e4518.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/group.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/token.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/bigint.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/buffer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/classify.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_keyword.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_punctuation.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/data.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/derive.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/drops.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/file.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/fixup.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/generics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ident.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/item.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lifetime.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lookahead.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/mac.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/meta.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/op.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/discouraged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_macro_input.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_quote.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/pat.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/precedence.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/print.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/punctuated.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/restriction.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/sealed.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/span.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/spanned.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/stmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/thread.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ty.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/verbatim.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/whitespace.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/export.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/clone.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libsyn-3e4be17fbb5e4518.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/group.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/token.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/bigint.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/buffer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/classify.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_keyword.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_punctuation.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/data.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/derive.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/drops.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/file.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/fixup.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/generics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ident.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/item.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lifetime.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lookahead.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/mac.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/meta.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/op.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/discouraged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_macro_input.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_quote.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/pat.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/precedence.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/print.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/punctuated.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/restriction.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/sealed.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/span.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/spanned.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/stmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/thread.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ty.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/verbatim.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/whitespace.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/export.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/clone.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libsyn-3e4be17fbb5e4518.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/group.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/token.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/bigint.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/buffer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/classify.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_keyword.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_punctuation.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/data.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/derive.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/drops.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/file.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/fixup.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/generics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ident.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/item.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lifetime.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lookahead.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/mac.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/meta.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/op.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/discouraged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_macro_input.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_quote.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/pat.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/precedence.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/print.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/punctuated.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/restriction.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/sealed.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/span.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/spanned.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/stmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/thread.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ty.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/verbatim.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/whitespace.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/export.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/clone.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/group.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/token.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/attr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/bigint.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/buffer.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/classify.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_keyword.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/custom_punctuation.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/data.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/derive.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/drops.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/expr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ext.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/file.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/fixup.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/generics.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ident.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/item.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lifetime.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/lookahead.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/mac.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/meta.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/op.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/discouraged.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_macro_input.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/parse_quote.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/pat.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/path.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/precedence.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/print.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/punctuated.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/restriction.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/sealed.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/span.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/spanned.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/stmt.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/thread.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/ty.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/verbatim.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/whitespace.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/export.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/visit_mut.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.107/src/gen/clone.rs: diff --git a/.old2/target/release/deps/thiserror_impl-dbd9297e032fc2d8.d b/.old2/target/release/deps/thiserror_impl-dbd9297e032fc2d8.d new file mode 100755 index 0000000..4d5fa8a --- /dev/null +++ b/.old2/target/release/deps/thiserror_impl-dbd9297e032fc2d8.d @@ -0,0 +1,14 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/thiserror_impl-dbd9297e032fc2d8.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/expand.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/fmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/generics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/prop.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/scan_expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/span.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/valid.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libthiserror_impl-dbd9297e032fc2d8.so: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/attr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/expand.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/fmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/generics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/prop.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/scan_expr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/span.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/valid.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/ast.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/attr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/expand.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/fmt.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/generics.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/prop.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/scan_expr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/span.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.69/src/valid.rs: diff --git a/.old2/target/release/deps/unicode_ident-d90ab847601a2565.d b/.old2/target/release/deps/unicode_ident-d90ab847601a2565.d new file mode 100755 index 0000000..0fa82dd --- /dev/null +++ b/.old2/target/release/deps/unicode_ident-d90ab847601a2565.d @@ -0,0 +1,8 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/unicode_ident-d90ab847601a2565.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libunicode_ident-d90ab847601a2565.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libunicode_ident-d90ab847601a2565.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs: diff --git a/.old2/target/release/deps/wasm_bindgen_backend-3dc8fb76cb826b78.d b/.old2/target/release/deps/wasm_bindgen_backend-3dc8fb76cb826b78.d new file mode 100755 index 0000000..d2e0e46 --- /dev/null +++ b/.old2/target/release/deps/wasm_bindgen_backend-3dc8fb76cb826b78.d @@ -0,0 +1,12 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/wasm_bindgen_backend-3dc8fb76cb826b78.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/codegen.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/encode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/util.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/codegen.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/encode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/util.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_backend-3dc8fb76cb826b78.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/ast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/codegen.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/encode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/util.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/ast.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/codegen.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/encode.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-backend-0.2.104/src/util.rs: diff --git a/.old2/target/release/deps/wasm_bindgen_macro-8e07f94c7aef9726.d b/.old2/target/release/deps/wasm_bindgen_macro-8e07f94c7aef9726.d new file mode 100755 index 0000000..dab3a64 --- /dev/null +++ b/.old2/target/release/deps/wasm_bindgen_macro-8e07f94c7aef9726.d @@ -0,0 +1,5 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/wasm_bindgen_macro-8e07f94c7aef9726.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-0.2.104/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_macro-8e07f94c7aef9726.so: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-0.2.104/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-0.2.104/src/lib.rs: diff --git a/.old2/target/release/deps/wasm_bindgen_macro_support-652b8e12e9fec6db.d b/.old2/target/release/deps/wasm_bindgen_macro_support-652b8e12e9fec6db.d new file mode 100755 index 0000000..85b0bf0 --- /dev/null +++ b/.old2/target/release/deps/wasm_bindgen_macro_support-652b8e12e9fec6db.d @@ -0,0 +1,8 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/wasm_bindgen_macro_support-652b8e12e9fec6db.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/parser.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/parser.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_macro_support-652b8e12e9fec6db.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/parser.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-macro-support-0.2.104/src/parser.rs: diff --git a/.old2/target/release/deps/wasm_bindgen_shared-67cc6bab2e34ba90.d b/.old2/target/release/deps/wasm_bindgen_shared-67cc6bab2e34ba90.d new file mode 100755 index 0000000..90d5d01 --- /dev/null +++ b/.old2/target/release/deps/wasm_bindgen_shared-67cc6bab2e34ba90.d @@ -0,0 +1,12 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/wasm_bindgen_shared-67cc6bab2e34ba90.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/release/deps/libwasm_bindgen_shared-67cc6bab2e34ba90.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs: + +# env-dep:CARGO_PKG_VERSION=0.2.104 +# env-dep:WBG_VERSION diff --git a/.old2/target/wasm32-unknown-unknown/CACHEDIR.TAG b/.old2/target/wasm32-unknown-unknown/CACHEDIR.TAG new file mode 100755 index 0000000..20d7c31 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/CACHEDIR.TAG @@ -0,0 +1,3 @@ +Signature: 8a477f597d28d172789f06886806bc55 +# This file is a cache directory tag created by cargo. +# For information about cache directory tags see https://bford.info/cachedir/ diff --git a/.old2/target/wasm32-unknown-unknown/release/.cargo-lock b/.old2/target/wasm32-unknown-unknown/release/.cargo-lock new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/dep-lib-bitflags b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/dep-lib-bitflags new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/dep-lib-bitflags differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/lib-bitflags b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/lib-bitflags new file mode 100755 index 0000000..07b1699 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/lib-bitflags @@ -0,0 +1 @@ +84f48b33a0df4896 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/lib-bitflags.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/lib-bitflags.json new file mode 100755 index 0000000..2da6014 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/lib-bitflags.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"arbitrary\", \"bytemuck\", \"example_generated\", \"serde\", \"std\"]","target":7691312148208718491,"profile":2040997289075261528,"path":2769765874925867488,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/bitflags-2ece0789b4e5dadb/dep-lib-bitflags","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/dep-lib-bytes b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/dep-lib-bytes new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/dep-lib-bytes differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/lib-bytes b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/lib-bytes new file mode 100755 index 0000000..26dfb9f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/lib-bytes @@ -0,0 +1 @@ +28747df900d12fd5 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/lib-bytes.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/lib-bytes.json new file mode 100755 index 0000000..df02ba3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/lib-bytes.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"extra-platforms\", \"serde\", \"std\"]","target":15971911772774047941,"profile":3654867079619179846,"path":13809525355211632863,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/bytes-1fd408b36ac24e4d/dep-lib-bytes","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/dep-lib-cfg_if b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/dep-lib-cfg_if new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/dep-lib-cfg_if differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/lib-cfg_if b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/lib-cfg_if new file mode 100755 index 0000000..0e2c8b1 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/lib-cfg_if @@ -0,0 +1 @@ +a50a3fc49ff1054f \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/lib-cfg_if.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/lib-cfg_if.json new file mode 100755 index 0000000..855cec3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/lib-cfg_if.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"core\", \"rustc-dep-of-std\"]","target":13840298032947503755,"profile":2040997289075261528,"path":4149193246284086061,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/cfg-if-67bdb0f39060c2e9/dep-lib-cfg_if","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/dep-lib-console_error_panic_hook b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/dep-lib-console_error_panic_hook new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/dep-lib-console_error_panic_hook differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/lib-console_error_panic_hook b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/lib-console_error_panic_hook new file mode 100755 index 0000000..f69ec16 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/lib-console_error_panic_hook @@ -0,0 +1 @@ +48bdb7fe8e3db6a3 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/lib-console_error_panic_hook.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/lib-console_error_panic_hook.json new file mode 100755 index 0000000..a0b2abb --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/lib-console_error_panic_hook.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":9676079782213560798,"profile":2040997289075261528,"path":5071451250824529062,"deps":[[7667230146095136825,"cfg_if",false,5694222972374420133],[14523432694356582846,"wasm_bindgen",false,4159698066871921905]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/console_error_panic_hook-b9d45a4136eac6e0/dep-lib-console_error_panic_hook","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/dep-lib-equivalent b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/dep-lib-equivalent new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/dep-lib-equivalent differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/lib-equivalent b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/lib-equivalent new file mode 100755 index 0000000..eba312f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/lib-equivalent @@ -0,0 +1 @@ +f05d9d45eb7cf6fd \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/lib-equivalent.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/lib-equivalent.json new file mode 100755 index 0000000..47cd857 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/lib-equivalent.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":1524667692659508025,"profile":2040997289075261528,"path":11507268433715544534,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/equivalent-2be18f268db8187f/dep-lib-equivalent","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/dep-lib-fnv b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/dep-lib-fnv new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/dep-lib-fnv differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/lib-fnv b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/lib-fnv new file mode 100755 index 0000000..ab69c06 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/lib-fnv @@ -0,0 +1 @@ +1213914438720d26 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/lib-fnv.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/lib-fnv.json new file mode 100755 index 0000000..6916ab9 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/lib-fnv.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"std\"]","target":10248144769085601448,"profile":2040997289075261528,"path":10754233478375799389,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/fnv-f08e09094dee699d/dep-lib-fnv","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/dep-lib-futures_channel b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/dep-lib-futures_channel new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/dep-lib-futures_channel differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/lib-futures_channel b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/lib-futures_channel new file mode 100755 index 0000000..8948f7e --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/lib-futures_channel @@ -0,0 +1 @@ +39e937996a196f91 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/lib-futures_channel.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/lib-futures_channel.json new file mode 100755 index 0000000..4fe297b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/lib-futures_channel.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"alloc\", \"default\", \"std\"]","declared_features":"[\"alloc\", \"cfg-target-has-atomic\", \"default\", \"futures-sink\", \"sink\", \"std\", \"unstable\"]","target":13634065851578929263,"profile":18348216721672176038,"path":14699531026976317966,"deps":[[7620660491849607393,"futures_core",false,15518749091107435364]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/futures-channel-4881adf2eaa56683/dep-lib-futures_channel","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/dep-lib-futures_core b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/dep-lib-futures_core new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/dep-lib-futures_core differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/lib-futures_core b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/lib-futures_core new file mode 100755 index 0000000..f16d4a4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/lib-futures_core @@ -0,0 +1 @@ +64f3df9513ac5dd7 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/lib-futures_core.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/lib-futures_core.json new file mode 100755 index 0000000..aa16c17 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/lib-futures_core.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"alloc\", \"default\", \"std\"]","declared_features":"[\"alloc\", \"cfg-target-has-atomic\", \"default\", \"portable-atomic\", \"std\", \"unstable\"]","target":9453135960607436725,"profile":18348216721672176038,"path":12348370495569893417,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/futures-core-a37b77ecc06ed7b3/dep-lib-futures_core","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/dep-lib-futures_sink b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/dep-lib-futures_sink new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/dep-lib-futures_sink differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/lib-futures_sink b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/lib-futures_sink new file mode 100755 index 0000000..388722e --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/lib-futures_sink @@ -0,0 +1 @@ +aca5553e1da5ae31 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/lib-futures_sink.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/lib-futures_sink.json new file mode 100755 index 0000000..dc8b7f1 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/lib-futures_sink.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"alloc\", \"default\", \"std\"]","declared_features":"[\"alloc\", \"default\", \"std\"]","target":10827111567014737887,"profile":18348216721672176038,"path":12493863189214362900,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/futures-sink-9b9e3140b24ff159/dep-lib-futures_sink","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/dep-lib-getopts b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/dep-lib-getopts new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/dep-lib-getopts differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/lib-getopts b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/lib-getopts new file mode 100755 index 0000000..8c7a81c --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/lib-getopts @@ -0,0 +1 @@ +662e4651f45c9bfa \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/lib-getopts.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/lib-getopts.json new file mode 100755 index 0000000..f4cceb5 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/lib-getopts.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"unicode\"]","declared_features":"[\"core\", \"default\", \"rustc-dep-of-std\", \"std\", \"unicode\"]","target":14000208569025797744,"profile":2040997289075261528,"path":13259979911459808898,"deps":[[16173631546844793784,"unicode_width",false,220554091203951241]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/getopts-6615679de25a9490/dep-lib-getopts","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/dep-lib-gloo_net b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/dep-lib-gloo_net new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/dep-lib-gloo_net differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/lib-gloo_net b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/lib-gloo_net new file mode 100755 index 0000000..828caf4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/lib-gloo_net @@ -0,0 +1 @@ +47cfaf32b3973f22 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/lib-gloo_net.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/lib-gloo_net.json new file mode 100755 index 0000000..7d1b8ae --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/lib-gloo_net.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"eventsource\", \"futures-channel\", \"futures-core\", \"futures-sink\", \"http\", \"json\", \"pin-project\", \"serde\", \"serde_json\", \"websocket\"]","declared_features":"[\"default\", \"eventsource\", \"futures-channel\", \"futures-core\", \"futures-io\", \"futures-sink\", \"http\", \"io-util\", \"json\", \"pin-project\", \"serde\", \"serde_json\", \"websocket\"]","target":7289951416308014359,"profile":2040997289075261528,"path":6278000193968852875,"deps":[[1811549171721445101,"futures_channel",false,10479622803542239545],[5529159365693335077,"wasm_bindgen_futures",false,3410984275406734651],[5921074888975346911,"gloo_utils",false,982605850483533231],[6264115378959545688,"pin_project",false,13584168565001430080],[7013762810557009322,"futures_sink",false,3579980298824557996],[7620660491849607393,"futures_core",false,15518749091107435364],[8008191657135824715,"thiserror",false,3966530413990547829],[9010263965687315507,"http",false,9896334727335272408],[12832915883349295919,"serde_json",false,11070456171121590547],[13548984313718623784,"serde",false,6696631588604558713],[14051800645846895390,"web_sys",false,11530615542834680549],[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/gloo-net-4d251ddc06ce7a63/dep-lib-gloo_net","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/dep-lib-gloo_net b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/dep-lib-gloo_net new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/dep-lib-gloo_net differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/lib-gloo_net b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/lib-gloo_net new file mode 100755 index 0000000..4dfffec --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/lib-gloo_net @@ -0,0 +1 @@ +10869c3889d6b4b2 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/lib-gloo_net.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/lib-gloo_net.json new file mode 100755 index 0000000..40ea3ce --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/lib-gloo_net.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"eventsource\", \"futures-channel\", \"futures-core\", \"futures-sink\", \"http\", \"json\", \"pin-project\", \"serde\", \"serde_json\", \"websocket\"]","declared_features":"[\"default\", \"eventsource\", \"futures-channel\", \"futures-core\", \"futures-io\", \"futures-sink\", \"http\", \"io-util\", \"json\", \"pin-project\", \"serde\", \"serde_json\", \"websocket\"]","target":7289951416308014359,"profile":2040997289075261528,"path":6278000193968852875,"deps":[[1811549171721445101,"futures_channel",false,10479622803542239545],[5529159365693335077,"wasm_bindgen_futures",false,3410984275406734651],[5921074888975346911,"gloo_utils",false,9802009267122954925],[6264115378959545688,"pin_project",false,13584168565001430080],[7013762810557009322,"futures_sink",false,3579980298824557996],[7620660491849607393,"futures_core",false,15518749091107435364],[8008191657135824715,"thiserror",false,3966530413990547829],[9010263965687315507,"http",false,9896334727335272408],[12832915883349295919,"serde_json",false,11070456171121590547],[13548984313718623784,"serde",false,6696631588604558713],[14051800645846895390,"web_sys",false,11535187079272845171],[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/gloo-net-55ff32c147471c30/dep-lib-gloo_net","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/dep-lib-gloo_utils b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/dep-lib-gloo_utils new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/dep-lib-gloo_utils differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/lib-gloo_utils b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/lib-gloo_utils new file mode 100755 index 0000000..8a43f3f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/lib-gloo_utils @@ -0,0 +1 @@ +ad62f3c37ebb0788 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/lib-gloo_utils.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/lib-gloo_utils.json new file mode 100755 index 0000000..7c471fb --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/lib-gloo_utils.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"serde\"]","declared_features":"[\"default\", \"serde\"]","target":1414012289134943335,"profile":2040997289075261528,"path":10064681191329972455,"deps":[[12832915883349295919,"serde_json",false,11070456171121590547],[13548984313718623784,"serde",false,6696631588604558713],[14051800645846895390,"web_sys",false,11535187079272845171],[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/gloo-utils-b71cd4aee5b5f500/dep-lib-gloo_utils","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/dep-lib-gloo_utils b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/dep-lib-gloo_utils new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/dep-lib-gloo_utils differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/lib-gloo_utils b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/lib-gloo_utils new file mode 100755 index 0000000..bc25a5c --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/lib-gloo_utils @@ -0,0 +1 @@ +afa54aa0d0eaa20d \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/lib-gloo_utils.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/lib-gloo_utils.json new file mode 100755 index 0000000..e763695 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/lib-gloo_utils.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"serde\"]","declared_features":"[\"default\", \"serde\"]","target":1414012289134943335,"profile":2040997289075261528,"path":10064681191329972455,"deps":[[12832915883349295919,"serde_json",false,11070456171121590547],[13548984313718623784,"serde",false,6696631588604558713],[14051800645846895390,"web_sys",false,11530615542834680549],[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/gloo-utils-da9bdd03b808790d/dep-lib-gloo_utils","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/dep-lib-hashbrown b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/dep-lib-hashbrown new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/dep-lib-hashbrown differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/lib-hashbrown b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/lib-hashbrown new file mode 100755 index 0000000..09d58c8 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/lib-hashbrown @@ -0,0 +1 @@ +d8a59ce23186cb96 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/lib-hashbrown.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/lib-hashbrown.json new file mode 100755 index 0000000..9de491e --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/lib-hashbrown.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"alloc\", \"allocator-api2\", \"core\", \"default\", \"default-hasher\", \"equivalent\", \"inline-more\", \"nightly\", \"raw-entry\", \"rayon\", \"rustc-dep-of-std\", \"rustc-internal-api\", \"serde\"]","target":13796197676120832388,"profile":2040997289075261528,"path":18155054182479112693,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/hashbrown-335a7e6900b37f0a/dep-lib-hashbrown","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/dep-lib-http b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/dep-lib-http new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/dep-lib-http differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/lib-http b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/lib-http new file mode 100755 index 0000000..6a92b1c --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/lib-http @@ -0,0 +1 @@ +d85f2e6100d85689 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/lib-http.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/lib-http.json new file mode 100755 index 0000000..10499dd --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/lib-http.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"std\"]","target":12592702405390259930,"profile":2040997289075261528,"path":12380389336001984477,"deps":[[1345404220202658316,"fnv",false,2741973334132593426],[7695812897323945497,"itoa",false,15876619805111668034],[16066129441945555748,"bytes",false,15361726656100004904]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/http-a029247c2e918b11/dep-lib-http","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/dep-lib-indexmap b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/dep-lib-indexmap new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/dep-lib-indexmap differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/lib-indexmap b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/lib-indexmap new file mode 100755 index 0000000..23156fe --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/lib-indexmap @@ -0,0 +1 @@ +b4c4f6ed661e101f \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/lib-indexmap.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/lib-indexmap.json new file mode 100755 index 0000000..c4d54cf --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/lib-indexmap.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"arbitrary\", \"borsh\", \"default\", \"quickcheck\", \"rayon\", \"serde\", \"std\", \"sval\", \"test_debug\"]","target":10391229881554802429,"profile":7343194805494485913,"path":3225384827848154996,"deps":[[1209546246887916887,"hashbrown",false,10865926074774889944],[5230392855116717286,"equivalent",false,18299951485793689072]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/indexmap-e484e6ad7c1eea19/dep-lib-indexmap","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/dep-lib-itoa b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/dep-lib-itoa new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/dep-lib-itoa differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/lib-itoa b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/lib-itoa new file mode 100755 index 0000000..63e0ba5 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/lib-itoa @@ -0,0 +1 @@ +42cd9c45981555dc \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/lib-itoa.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/lib-itoa.json new file mode 100755 index 0000000..06eaa61 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/lib-itoa.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"no-panic\"]","target":8239509073162986830,"profile":2040997289075261528,"path":5945122787148349605,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/itoa-dbc596a1de417dad/dep-lib-itoa","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/dep-lib-js_sys b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/dep-lib-js_sys new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/dep-lib-js_sys differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/lib-js_sys b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/lib-js_sys new file mode 100755 index 0000000..6df50bd --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/lib-js_sys @@ -0,0 +1 @@ +dc0e594a6f83081d \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/lib-js_sys.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/lib-js_sys.json new file mode 100755 index 0000000..ae03879 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/lib-js_sys.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"std\"]","target":4913466754190795764,"profile":13180848661409974975,"path":11814022051085551919,"deps":[[3722963349756955755,"once_cell",false,4096124111687507230],[14523432694356582846,"wasm_bindgen",false,4159698066871921905]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/js-sys-8227661606420a91/dep-lib-js_sys","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/dep-lib-memchr b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/dep-lib-memchr new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/dep-lib-memchr differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/lib-memchr b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/lib-memchr new file mode 100755 index 0000000..bb9ac37 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/lib-memchr @@ -0,0 +1 @@ +98653f5c68d42491 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/lib-memchr.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/lib-memchr.json new file mode 100755 index 0000000..9d9ccf0 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/lib-memchr.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"alloc\", \"default\", \"std\"]","declared_features":"[\"alloc\", \"core\", \"default\", \"libc\", \"logging\", \"rustc-dep-of-std\", \"std\", \"use_std\"]","target":11745930252914242013,"profile":2040997289075261528,"path":14332031458594183617,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/memchr-3021f628baf09828/dep-lib-memchr","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/dep-lib-once_cell b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/dep-lib-once_cell new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/dep-lib-once_cell differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/lib-once_cell b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/lib-once_cell new file mode 100755 index 0000000..fcc4741 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/lib-once_cell @@ -0,0 +1 @@ +1edd0b692d5bd838 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/lib-once_cell.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/lib-once_cell.json new file mode 100755 index 0000000..79cda43 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/lib-once_cell.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"alloc\", \"default\", \"race\", \"std\"]","declared_features":"[\"alloc\", \"atomic-polyfill\", \"critical-section\", \"default\", \"parking_lot\", \"portable-atomic\", \"race\", \"std\", \"unstable\"]","target":17524666916136250164,"profile":2040997289075261528,"path":2092847258206727935,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/once_cell-38e77cfe04f7af5f/dep-lib-once_cell","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/dep-lib-pin_project b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/dep-lib-pin_project new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/dep-lib-pin_project differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/lib-pin_project b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/lib-pin_project new file mode 100755 index 0000000..a1c93c3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/lib-pin_project @@ -0,0 +1 @@ +4024f07d56a984bc \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/lib-pin_project.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/lib-pin_project.json new file mode 100755 index 0000000..d0e8589 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/lib-pin_project.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":10486756659006472442,"profile":14450673396179419575,"path":8878337680815549335,"deps":[[11220364553967984143,"pin_project_internal",false,3387867875259911582]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/pin-project-2ab532b3d4770f62/dep-lib-pin_project","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/dep-lib-pulldown_cmark b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/dep-lib-pulldown_cmark new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/dep-lib-pulldown_cmark differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/lib-pulldown_cmark b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/lib-pulldown_cmark new file mode 100755 index 0000000..0a8afb0 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/lib-pulldown_cmark @@ -0,0 +1 @@ +ecb2dc883e2a318e \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/lib-pulldown_cmark.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/lib-pulldown_cmark.json new file mode 100755 index 0000000..d5e67a3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/lib-pulldown_cmark.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"getopts\", \"html\", \"pulldown-cmark-escape\"]","declared_features":"[\"default\", \"gen-tests\", \"getopts\", \"html\", \"pulldown-cmark-escape\", \"serde\", \"simd\"]","target":10699664223751730261,"profile":2040997289075261528,"path":5170787980205118391,"deps":[[198136567835728122,"memchr",false,10458717779350480280],[1935224974094585350,"build_script_build",false,13583590998413727714],[5283023245825119327,"pulldown_cmark_escape",false,17095585702710199632],[12848154260885479101,"bitflags",false,10829151183164929156],[14098116515913498718,"unicase",false,12386582033281748981],[14686689205187145500,"getopts",false,18058129335277465190]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-b8b27440810a2614/dep-lib-pulldown_cmark","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-d753092a02af0b8e/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-d753092a02af0b8e/run-build-script-build-script-build new file mode 100755 index 0000000..95f692d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-d753092a02af0b8e/run-build-script-build-script-build @@ -0,0 +1 @@ +e2d7a44a0b9c82bc \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-d753092a02af0b8e/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-d753092a02af0b8e/run-build-script-build-script-build.json new file mode 100755 index 0000000..5f58fdf --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-d753092a02af0b8e/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[1935224974094585350,"build_script_build",false,16738955741903882422]],"local":[{"Precalculated":"0.10.3"}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/dep-lib-pulldown_cmark_escape b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/dep-lib-pulldown_cmark_escape new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/dep-lib-pulldown_cmark_escape differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/lib-pulldown_cmark_escape b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/lib-pulldown_cmark_escape new file mode 100755 index 0000000..6487825 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/lib-pulldown_cmark_escape @@ -0,0 +1 @@ +50c549cd9eb83fed \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/lib-pulldown_cmark_escape.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/lib-pulldown_cmark_escape.json new file mode 100755 index 0000000..462f192 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/lib-pulldown_cmark_escape.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"simd\"]","target":17176367601742668540,"profile":2040997289075261528,"path":2310733659265009042,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/pulldown-cmark-escape-920313e0da838fe4/dep-lib-pulldown_cmark_escape","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/dep-lib-quick_xml b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/dep-lib-quick_xml new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/dep-lib-quick_xml differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/lib-quick_xml b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/lib-quick_xml new file mode 100755 index 0000000..88db46f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/lib-quick_xml @@ -0,0 +1 @@ +d51a0283525be2a0 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/lib-quick_xml.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/lib-quick_xml.json new file mode 100755 index 0000000..eb7b59c --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/lib-quick_xml.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\"]","declared_features":"[\"arbitrary\", \"async-tokio\", \"default\", \"document-features\", \"encoding\", \"encoding_rs\", \"escape-html\", \"overlapped-lists\", \"serde\", \"serde-types\", \"serialize\", \"tokio\"]","target":15964992249495196456,"profile":2040997289075261528,"path":12405826224717533584,"deps":[[198136567835728122,"memchr",false,10458717779350480280]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/quick-xml-da71b465fcb7a8a7/dep-lib-quick_xml","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/dep-lib-ryu b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/dep-lib-ryu new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/dep-lib-ryu differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/lib-ryu b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/lib-ryu new file mode 100755 index 0000000..0eeb272 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/lib-ryu @@ -0,0 +1 @@ +2ace0adfd57525de \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/lib-ryu.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/lib-ryu.json new file mode 100755 index 0000000..8216502 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/lib-ryu.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"no-panic\", \"small\"]","target":8955674961151483972,"profile":2040997289075261528,"path":3757210561951084883,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/ryu-46d1a1dde4564b9f/dep-lib-ryu","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-548240b6947f0ce4/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-548240b6947f0ce4/run-build-script-build-script-build new file mode 100755 index 0000000..bb22cde --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-548240b6947f0ce4/run-build-script-build-script-build @@ -0,0 +1 @@ +1b39bc260f8a0836 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-548240b6947f0ce4/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-548240b6947f0ce4/run-build-script-build-script-build.json new file mode 100755 index 0000000..574da32 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-548240b6947f0ce4/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[13548984313718623784,"build_script_build",false,2699346822313106320]],"local":[{"RerunIfChanged":{"output":"wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/output","paths":["build.rs"]}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/dep-lib-serde b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/dep-lib-serde new file mode 100755 index 0000000..cb88e57 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/dep-lib-serde differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/lib-serde b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/lib-serde new file mode 100755 index 0000000..8845e46 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/lib-serde @@ -0,0 +1 @@ +793d6f16f336ef5c \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/lib-serde.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/lib-serde.json new file mode 100755 index 0000000..645fe43 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/lib-serde.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"derive\", \"serde_derive\", \"std\"]","declared_features":"[\"alloc\", \"default\", \"derive\", \"rc\", \"serde_derive\", \"std\", \"unstable\"]","target":11327258112168116673,"profile":2040997289075261528,"path":14126901166921150240,"deps":[[3051629642231505422,"serde_derive",false,7700374295118161968],[11899261697793765154,"serde_core",false,18186911287815148101],[13548984313718623784,"build_script_build",false,3893513675540805915]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/serde-b13ca1cd734f9b86/dep-lib-serde","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-b68fd7501e0b2934/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-b68fd7501e0b2934/run-build-script-build-script-build new file mode 100755 index 0000000..e8e9505 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-b68fd7501e0b2934/run-build-script-build-script-build @@ -0,0 +1 @@ +721a6d00cd844a98 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-b68fd7501e0b2934/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-b68fd7501e0b2934/run-build-script-build-script-build.json new file mode 100755 index 0000000..351cf1f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-b68fd7501e0b2934/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[11899261697793765154,"build_script_build",false,6564149038712741697]],"local":[{"RerunIfChanged":{"output":"wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/output","paths":["build.rs"]}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/dep-lib-serde_core b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/dep-lib-serde_core new file mode 100755 index 0000000..a45d4b2 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/dep-lib-serde_core differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/lib-serde_core b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/lib-serde_core new file mode 100755 index 0000000..572f25b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/lib-serde_core @@ -0,0 +1 @@ +4592c33775e364fc \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/lib-serde_core.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/lib-serde_core.json new file mode 100755 index 0000000..8939378 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/lib-serde_core.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"result\", \"std\"]","declared_features":"[\"alloc\", \"default\", \"rc\", \"result\", \"std\", \"unstable\"]","target":6810695588070812737,"profile":2040997289075261528,"path":12641623788187770323,"deps":[[11899261697793765154,"build_script_build",false,10973729458051947122]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/serde_core-f7580df67b487190/dep-lib-serde_core","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/dep-lib-serde_json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/dep-lib-serde_json new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/dep-lib-serde_json differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/lib-serde_json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/lib-serde_json new file mode 100755 index 0000000..bc6933f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/lib-serde_json @@ -0,0 +1 @@ +13c13bdd3b29a299 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/lib-serde_json.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/lib-serde_json.json new file mode 100755 index 0000000..8890d1a --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/lib-serde_json.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"alloc\", \"arbitrary_precision\", \"default\", \"float_roundtrip\", \"indexmap\", \"preserve_order\", \"raw_value\", \"std\", \"unbounded_depth\"]","target":9592559880233824070,"profile":2040997289075261528,"path":7787084372699913,"deps":[[198136567835728122,"memchr",false,10458717779350480280],[1216309103264968120,"ryu",false,16007330011988807210],[7695812897323945497,"itoa",false,15876619805111668034],[11899261697793765154,"serde_core",false,18186911287815148101],[12832915883349295919,"build_script_build",false,11279970338675997018]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/serde_json-5c0b4a0107ce66d9/dep-lib-serde_json","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-9d9a51745b9bd8aa/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-9d9a51745b9bd8aa/run-build-script-build-script-build new file mode 100755 index 0000000..3fdb37f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-9d9a51745b9bd8aa/run-build-script-build-script-build @@ -0,0 +1 @@ +5ab9b95942818a9c \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-9d9a51745b9bd8aa/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-9d9a51745b9bd8aa/run-build-script-build-script-build.json new file mode 100755 index 0000000..661040c --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_json-9d9a51745b9bd8aa/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[12832915883349295919,"build_script_build",false,5576449946774183875]],"local":[{"RerunIfChanged":{"output":"wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/output","paths":["build.rs"]}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/dep-lib-serde_yaml b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/dep-lib-serde_yaml new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/dep-lib-serde_yaml differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/lib-serde_yaml b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/lib-serde_yaml new file mode 100755 index 0000000..7af3bbd --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/lib-serde_yaml @@ -0,0 +1 @@ +076867876294bf2f \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/lib-serde_yaml.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/lib-serde_yaml.json new file mode 100755 index 0000000..1acf5a0 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/lib-serde_yaml.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":10555667955608133529,"profile":2040997289075261528,"path":9658544534168038327,"deps":[[1216309103264968120,"ryu",false,16007330011988807210],[7695812897323945497,"itoa",false,15876619805111668034],[9531396085881301463,"indexmap",false,2238322442231006388],[10379328190212532173,"unsafe_libyaml",false,5869972853454383884],[13548984313718623784,"serde",false,6696631588604558713]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/serde_yaml-c6cc62a090832150/dep-lib-serde_yaml","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thefoldwithin-wasm-fe1e418e884a242d/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thefoldwithin-wasm-fe1e418e884a242d/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thefoldwithin-wasm-fe1e418e884a242d/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thefoldwithin-wasm-fe1e418e884a242d/output-lib-thefoldwithin_wasm b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thefoldwithin-wasm-fe1e418e884a242d/output-lib-thefoldwithin_wasm new file mode 100755 index 0000000..f62db3d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thefoldwithin-wasm-fe1e418e884a242d/output-lib-thefoldwithin_wasm @@ -0,0 +1,11 @@ +{"$message_type":"diagnostic","message":"prefix `section` is unknown","code":null,"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":3843,"byte_end":3850,"line_start":149,"line_end":149,"column_start":41,"column_end":48,"is_primary":true,"text":[{"text":"
{section}{programs}
","highlight_start":41,"highlight_end":48}],"label":"unknown prefix","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[{"message":"prefixed identifiers and literals are reserved since Rust 2021","code":null,"level":"note","spans":[],"children":[],"rendered":null},{"message":"consider inserting whitespace here","code":null,"level":"help","spans":[{"file_name":"src/lib.rs","byte_start":3850,"byte_end":3850,"line_start":149,"line_end":149,"column_start":48,"column_end":48,"is_primary":true,"text":[{"text":"
{section}{programs}
","highlight_start":48,"highlight_end":48}],"label":null,"suggested_replacement":" ","suggestion_applicability":"MaybeIncorrect","expansion":null}],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror\u001b[0m\u001b[0m\u001b[1m: prefix `section` is unknown\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:149:41\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m149\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m
{section}{programs}
\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^^^^^^^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9munknown prefix\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mnote\u001b[0m\u001b[0m: prefixed identifiers and literals are reserved since Rust 2021\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;14mhelp\u001b[0m\u001b[0m: consider inserting whitespace here\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m149\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m| \u001b[0m\u001b[0m
{section}{programs}
\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[38;5;10m+\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"expected `,`, found `/`","code":null,"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":3687,"byte_end":3688,"line_start":144,"line_end":144,"column_start":13,"column_end":14,"is_primary":true,"text":[{"text":" ← Back","highlight_start":13,"highlight_end":14}],"label":"expected `,`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror\u001b[0m\u001b[0m\u001b[1m: expected `,`, found `/`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:144:13\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m144\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m ← Back\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9mexpected `,`\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"`?` couldn't convert the error to `wasm_bindgen::JsValue`","code":{"code":"E0277","explanation":"You tried to use a type which doesn't implement some trait in a place which\nexpected that trait.\n\nErroneous code example:\n\n```compile_fail,E0277\n// here we declare the Foo trait with a bar method\ntrait Foo {\n fn bar(&self);\n}\n\n// we now declare a function which takes an object implementing the Foo trait\nfn some_func(foo: T) {\n foo.bar();\n}\n\nfn main() {\n // we now call the method with the i32 type, which doesn't implement\n // the Foo trait\n some_func(5i32); // error: the trait bound `i32 : Foo` is not satisfied\n}\n```\n\nIn order to fix this error, verify that the type you're using does implement\nthe trait. Example:\n\n```\ntrait Foo {\n fn bar(&self);\n}\n\n// we implement the trait on the i32 type\nimpl Foo for i32 {\n fn bar(&self) {}\n}\n\nfn some_func(foo: T) {\n foo.bar(); // we can now use this method since i32 implements the\n // Foo trait\n}\n\nfn main() {\n some_func(5i32); // ok!\n}\n```\n\nOr in a generic context, an erroneous code example would look like:\n\n```compile_fail,E0277\nfn some_func(foo: T) {\n println!(\"{:?}\", foo); // error: the trait `core::fmt::Debug` is not\n // implemented for the type `T`\n}\n\nfn main() {\n // We now call the method with the i32 type,\n // which *does* implement the Debug trait.\n some_func(5i32);\n}\n```\n\nNote that the error here is in the definition of the generic function. Although\nwe only call it with a parameter that does implement `Debug`, the compiler\nstill rejects the function. It must work with all possible input types. In\norder to make this example compile, we need to restrict the generic type we're\naccepting:\n\n```\nuse std::fmt;\n\n// Restrict the input type to types that implement Debug.\nfn some_func(foo: T) {\n println!(\"{:?}\", foo);\n}\n\nfn main() {\n // Calling the method is still fine, as i32 implements Debug.\n some_func(5i32);\n\n // This would fail to compile now:\n // struct WithoutDebug;\n // some_func(WithoutDebug);\n}\n```\n\nRust only looks at the signature of the called function, as such it must\nalready specify all requirements that will be used for every type parameter.\n"},"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":4226,"byte_end":4265,"line_start":166,"line_end":166,"column_start":16,"column_end":55,"is_primary":false,"text":[{"text":" let text = Request::get(\"index.json\").send().await?.text().await?;","highlight_start":16,"highlight_end":55}],"label":"this can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"src/lib.rs","byte_start":4265,"byte_end":4266,"line_start":166,"line_end":166,"column_start":55,"column_end":56,"is_primary":true,"text":[{"text":" let text = Request::get(\"index.json\").send().await?.text().await?;","highlight_start":55,"highlight_end":56}],"label":"the trait `From` is not implemented for `wasm_bindgen::JsValue`","suggested_replacement":null,"suggestion_applicability":null,"expansion":{"span":{"file_name":"src/lib.rs","byte_start":4265,"byte_end":4266,"line_start":166,"line_end":166,"column_start":55,"column_end":56,"is_primary":false,"text":[{"text":" let text = Request::get(\"index.json\").send().await?.text().await?;","highlight_start":55,"highlight_end":56}],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null},"macro_decl_name":"desugaring of operator `?`","def_site_span":{"file_name":"src/lib.rs","byte_start":0,"byte_end":0,"line_start":1,"line_end":1,"column_start":1,"column_end":1,"is_primary":false,"text":[],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null}}}],"children":[{"message":"the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait","code":null,"level":"note","spans":[],"children":[],"rendered":null},{"message":"the following other types implement trait `From`:\n `wasm_bindgen::JsValue` implements `From<&T>`\n `wasm_bindgen::JsValue` implements `From<&std::string::String>`\n `wasm_bindgen::JsValue` implements `From<&str>`\n `wasm_bindgen::JsValue` implements `From<*const T>`\n `wasm_bindgen::JsValue` implements `From<*mut T>`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\nand 124 others","code":null,"level":"help","spans":[],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror[E0277]\u001b[0m\u001b[0m\u001b[1m: `?` couldn't convert the error to `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:166:55\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m166\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m let text = Request::get(\"index.json\").send().await?.text().await?;\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m---------------------------------------\u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9mthe trait `From` is not implemented for `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12mthis can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mnote\u001b[0m\u001b[0m: the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mhelp\u001b[0m\u001b[0m: the following other types implement trait `From`:\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&std::string::String>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&str>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*const T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*mut T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m and 124 others\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"`?` couldn't convert the error to `wasm_bindgen::JsValue`","code":{"code":"E0277","explanation":"You tried to use a type which doesn't implement some trait in a place which\nexpected that trait.\n\nErroneous code example:\n\n```compile_fail,E0277\n// here we declare the Foo trait with a bar method\ntrait Foo {\n fn bar(&self);\n}\n\n// we now declare a function which takes an object implementing the Foo trait\nfn some_func(foo: T) {\n foo.bar();\n}\n\nfn main() {\n // we now call the method with the i32 type, which doesn't implement\n // the Foo trait\n some_func(5i32); // error: the trait bound `i32 : Foo` is not satisfied\n}\n```\n\nIn order to fix this error, verify that the type you're using does implement\nthe trait. Example:\n\n```\ntrait Foo {\n fn bar(&self);\n}\n\n// we implement the trait on the i32 type\nimpl Foo for i32 {\n fn bar(&self) {}\n}\n\nfn some_func(foo: T) {\n foo.bar(); // we can now use this method since i32 implements the\n // Foo trait\n}\n\nfn main() {\n some_func(5i32); // ok!\n}\n```\n\nOr in a generic context, an erroneous code example would look like:\n\n```compile_fail,E0277\nfn some_func(foo: T) {\n println!(\"{:?}\", foo); // error: the trait `core::fmt::Debug` is not\n // implemented for the type `T`\n}\n\nfn main() {\n // We now call the method with the i32 type,\n // which *does* implement the Debug trait.\n some_func(5i32);\n}\n```\n\nNote that the error here is in the definition of the generic function. Although\nwe only call it with a parameter that does implement `Debug`, the compiler\nstill rejects the function. It must work with all possible input types. In\norder to make this example compile, we need to restrict the generic type we're\naccepting:\n\n```\nuse std::fmt;\n\n// Restrict the input type to types that implement Debug.\nfn some_func(foo: T) {\n println!(\"{:?}\", foo);\n}\n\nfn main() {\n // Calling the method is still fine, as i32 implements Debug.\n some_func(5i32);\n\n // This would fail to compile now:\n // struct WithoutDebug;\n // some_func(WithoutDebug);\n}\n```\n\nRust only looks at the signature of the called function, as such it must\nalready specify all requirements that will be used for every type parameter.\n"},"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":4226,"byte_end":4279,"line_start":166,"line_end":166,"column_start":16,"column_end":69,"is_primary":false,"text":[{"text":" let text = Request::get(\"index.json\").send().await?.text().await?;","highlight_start":16,"highlight_end":69}],"label":"this can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"src/lib.rs","byte_start":4279,"byte_end":4280,"line_start":166,"line_end":166,"column_start":69,"column_end":70,"is_primary":true,"text":[{"text":" let text = Request::get(\"index.json\").send().await?.text().await?;","highlight_start":69,"highlight_end":70}],"label":"the trait `From` is not implemented for `wasm_bindgen::JsValue`","suggested_replacement":null,"suggestion_applicability":null,"expansion":{"span":{"file_name":"src/lib.rs","byte_start":4279,"byte_end":4280,"line_start":166,"line_end":166,"column_start":69,"column_end":70,"is_primary":false,"text":[{"text":" let text = Request::get(\"index.json\").send().await?.text().await?;","highlight_start":69,"highlight_end":70}],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null},"macro_decl_name":"desugaring of operator `?`","def_site_span":{"file_name":"src/lib.rs","byte_start":0,"byte_end":0,"line_start":1,"line_end":1,"column_start":1,"column_end":1,"is_primary":false,"text":[],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null}}}],"children":[{"message":"the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait","code":null,"level":"note","spans":[],"children":[],"rendered":null},{"message":"the following other types implement trait `From`:\n `wasm_bindgen::JsValue` implements `From<&T>`\n `wasm_bindgen::JsValue` implements `From<&std::string::String>`\n `wasm_bindgen::JsValue` implements `From<&str>`\n `wasm_bindgen::JsValue` implements `From<*const T>`\n `wasm_bindgen::JsValue` implements `From<*mut T>`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\nand 124 others","code":null,"level":"help","spans":[],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror[E0277]\u001b[0m\u001b[0m\u001b[1m: `?` couldn't convert the error to `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:166:69\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m166\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m let text = Request::get(\"index.json\").send().await?.text().await?;\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m-----------------------------------------------------\u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9mthe trait `From` is not implemented for `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12mthis can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mnote\u001b[0m\u001b[0m: the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mhelp\u001b[0m\u001b[0m: the following other types implement trait `From`:\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&std::string::String>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&str>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*const T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*mut T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m and 124 others\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"`?` couldn't convert the error to `wasm_bindgen::JsValue`","code":{"code":"E0277","explanation":"You tried to use a type which doesn't implement some trait in a place which\nexpected that trait.\n\nErroneous code example:\n\n```compile_fail,E0277\n// here we declare the Foo trait with a bar method\ntrait Foo {\n fn bar(&self);\n}\n\n// we now declare a function which takes an object implementing the Foo trait\nfn some_func(foo: T) {\n foo.bar();\n}\n\nfn main() {\n // we now call the method with the i32 type, which doesn't implement\n // the Foo trait\n some_func(5i32); // error: the trait bound `i32 : Foo` is not satisfied\n}\n```\n\nIn order to fix this error, verify that the type you're using does implement\nthe trait. Example:\n\n```\ntrait Foo {\n fn bar(&self);\n}\n\n// we implement the trait on the i32 type\nimpl Foo for i32 {\n fn bar(&self) {}\n}\n\nfn some_func(foo: T) {\n foo.bar(); // we can now use this method since i32 implements the\n // Foo trait\n}\n\nfn main() {\n some_func(5i32); // ok!\n}\n```\n\nOr in a generic context, an erroneous code example would look like:\n\n```compile_fail,E0277\nfn some_func(foo: T) {\n println!(\"{:?}\", foo); // error: the trait `core::fmt::Debug` is not\n // implemented for the type `T`\n}\n\nfn main() {\n // We now call the method with the i32 type,\n // which *does* implement the Debug trait.\n some_func(5i32);\n}\n```\n\nNote that the error here is in the definition of the generic function. Although\nwe only call it with a parameter that does implement `Debug`, the compiler\nstill rejects the function. It must work with all possible input types. In\norder to make this example compile, we need to restrict the generic type we're\naccepting:\n\n```\nuse std::fmt;\n\n// Restrict the input type to types that implement Debug.\nfn some_func(foo: T) {\n println!(\"{:?}\", foo);\n}\n\nfn main() {\n // Calling the method is still fine, as i32 implements Debug.\n some_func(5i32);\n\n // This would fail to compile now:\n // struct WithoutDebug;\n // some_func(WithoutDebug);\n}\n```\n\nRust only looks at the signature of the called function, as such it must\nalready specify all requirements that will be used for every type parameter.\n"},"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":4607,"byte_end":4638,"line_start":175,"line_end":175,"column_start":16,"column_end":47,"is_primary":false,"text":[{"text":" let text = Request::get(&url).send().await?.text().await?;","highlight_start":16,"highlight_end":47}],"label":"this can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"src/lib.rs","byte_start":4638,"byte_end":4639,"line_start":175,"line_end":175,"column_start":47,"column_end":48,"is_primary":true,"text":[{"text":" let text = Request::get(&url).send().await?.text().await?;","highlight_start":47,"highlight_end":48}],"label":"the trait `From` is not implemented for `wasm_bindgen::JsValue`","suggested_replacement":null,"suggestion_applicability":null,"expansion":{"span":{"file_name":"src/lib.rs","byte_start":4638,"byte_end":4639,"line_start":175,"line_end":175,"column_start":47,"column_end":48,"is_primary":false,"text":[{"text":" let text = Request::get(&url).send().await?.text().await?;","highlight_start":47,"highlight_end":48}],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null},"macro_decl_name":"desugaring of operator `?`","def_site_span":{"file_name":"src/lib.rs","byte_start":0,"byte_end":0,"line_start":1,"line_end":1,"column_start":1,"column_end":1,"is_primary":false,"text":[],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null}}}],"children":[{"message":"the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait","code":null,"level":"note","spans":[],"children":[],"rendered":null},{"message":"the following other types implement trait `From`:\n `wasm_bindgen::JsValue` implements `From<&T>`\n `wasm_bindgen::JsValue` implements `From<&std::string::String>`\n `wasm_bindgen::JsValue` implements `From<&str>`\n `wasm_bindgen::JsValue` implements `From<*const T>`\n `wasm_bindgen::JsValue` implements `From<*mut T>`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\nand 124 others","code":null,"level":"help","spans":[],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror[E0277]\u001b[0m\u001b[0m\u001b[1m: `?` couldn't convert the error to `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:175:47\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m175\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m let text = Request::get(&url).send().await?.text().await?;\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m-------------------------------\u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9mthe trait `From` is not implemented for `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12mthis can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mnote\u001b[0m\u001b[0m: the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mhelp\u001b[0m\u001b[0m: the following other types implement trait `From`:\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&std::string::String>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&str>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*const T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*mut T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m and 124 others\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"`?` couldn't convert the error to `wasm_bindgen::JsValue`","code":{"code":"E0277","explanation":"You tried to use a type which doesn't implement some trait in a place which\nexpected that trait.\n\nErroneous code example:\n\n```compile_fail,E0277\n// here we declare the Foo trait with a bar method\ntrait Foo {\n fn bar(&self);\n}\n\n// we now declare a function which takes an object implementing the Foo trait\nfn some_func(foo: T) {\n foo.bar();\n}\n\nfn main() {\n // we now call the method with the i32 type, which doesn't implement\n // the Foo trait\n some_func(5i32); // error: the trait bound `i32 : Foo` is not satisfied\n}\n```\n\nIn order to fix this error, verify that the type you're using does implement\nthe trait. Example:\n\n```\ntrait Foo {\n fn bar(&self);\n}\n\n// we implement the trait on the i32 type\nimpl Foo for i32 {\n fn bar(&self) {}\n}\n\nfn some_func(foo: T) {\n foo.bar(); // we can now use this method since i32 implements the\n // Foo trait\n}\n\nfn main() {\n some_func(5i32); // ok!\n}\n```\n\nOr in a generic context, an erroneous code example would look like:\n\n```compile_fail,E0277\nfn some_func(foo: T) {\n println!(\"{:?}\", foo); // error: the trait `core::fmt::Debug` is not\n // implemented for the type `T`\n}\n\nfn main() {\n // We now call the method with the i32 type,\n // which *does* implement the Debug trait.\n some_func(5i32);\n}\n```\n\nNote that the error here is in the definition of the generic function. Although\nwe only call it with a parameter that does implement `Debug`, the compiler\nstill rejects the function. It must work with all possible input types. In\norder to make this example compile, we need to restrict the generic type we're\naccepting:\n\n```\nuse std::fmt;\n\n// Restrict the input type to types that implement Debug.\nfn some_func(foo: T) {\n println!(\"{:?}\", foo);\n}\n\nfn main() {\n // Calling the method is still fine, as i32 implements Debug.\n some_func(5i32);\n\n // This would fail to compile now:\n // struct WithoutDebug;\n // some_func(WithoutDebug);\n}\n```\n\nRust only looks at the signature of the called function, as such it must\nalready specify all requirements that will be used for every type parameter.\n"},"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":4607,"byte_end":4652,"line_start":175,"line_end":175,"column_start":16,"column_end":61,"is_primary":false,"text":[{"text":" let text = Request::get(&url).send().await?.text().await?;","highlight_start":16,"highlight_end":61}],"label":"this can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"src/lib.rs","byte_start":4652,"byte_end":4653,"line_start":175,"line_end":175,"column_start":61,"column_end":62,"is_primary":true,"text":[{"text":" let text = Request::get(&url).send().await?.text().await?;","highlight_start":61,"highlight_end":62}],"label":"the trait `From` is not implemented for `wasm_bindgen::JsValue`","suggested_replacement":null,"suggestion_applicability":null,"expansion":{"span":{"file_name":"src/lib.rs","byte_start":4652,"byte_end":4653,"line_start":175,"line_end":175,"column_start":61,"column_end":62,"is_primary":false,"text":[{"text":" let text = Request::get(&url).send().await?.text().await?;","highlight_start":61,"highlight_end":62}],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null},"macro_decl_name":"desugaring of operator `?`","def_site_span":{"file_name":"src/lib.rs","byte_start":0,"byte_end":0,"line_start":1,"line_end":1,"column_start":1,"column_end":1,"is_primary":false,"text":[],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null}}}],"children":[{"message":"the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait","code":null,"level":"note","spans":[],"children":[],"rendered":null},{"message":"the following other types implement trait `From`:\n `wasm_bindgen::JsValue` implements `From<&T>`\n `wasm_bindgen::JsValue` implements `From<&std::string::String>`\n `wasm_bindgen::JsValue` implements `From<&str>`\n `wasm_bindgen::JsValue` implements `From<*const T>`\n `wasm_bindgen::JsValue` implements `From<*mut T>`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\n `wasm_bindgen::JsValue` implements `From`\nand 124 others","code":null,"level":"help","spans":[],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror[E0277]\u001b[0m\u001b[0m\u001b[1m: `?` couldn't convert the error to `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:175:61\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m175\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m let text = Request::get(&url).send().await?.text().await?;\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m---------------------------------------------\u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9mthe trait `From` is not implemented for `wasm_bindgen::JsValue`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12mthis can't be annotated with `?` because it has type `Result<_, gloo_net::Error>`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mnote\u001b[0m\u001b[0m: the question mark operation (`?`) implicitly performs a conversion on the error value using the `From` trait\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mhelp\u001b[0m\u001b[0m: the following other types implement trait `From`:\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&std::string::String>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<&str>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*const T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From<*mut T>`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m `wasm_bindgen::JsValue` implements `From`\u001b[0m\n\u001b[0m and 124 others\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"failed to resolve: use of unresolved module or unlinked crate `wasm_bindgen_futures`","code":{"code":"E0433","explanation":"An undeclared crate, module, or type was used.\n\nErroneous code example:\n\n```compile_fail,E0433\nlet map = HashMap::new();\n// error: failed to resolve: use of undeclared type `HashMap`\n```\n\nPlease verify you didn't misspell the type/module's name or that you didn't\nforget to import it:\n\n```\nuse std::collections::HashMap; // HashMap has been imported.\nlet map: HashMap = HashMap::new(); // So it can be used!\n```\n\nIf you've expected to use a crate name:\n\n```compile_fail\nuse ferris_wheel::BigO;\n// error: failed to resolve: use of undeclared module or unlinked crate\n```\n\nMake sure the crate has been added as a dependency in `Cargo.toml`.\n\nTo use a module from your current crate, add the `crate::` prefix to the path.\n"},"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":6259,"byte_end":6279,"line_start":224,"line_end":224,"column_start":9,"column_end":29,"is_primary":true,"text":[{"text":" wasm_bindgen_futures::spawn_local(async {","highlight_start":9,"highlight_end":29}],"label":"use of unresolved module or unlinked crate `wasm_bindgen_futures`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[{"message":"if you wanted to use a crate named `wasm_bindgen_futures`, use `cargo add wasm_bindgen_futures` to add it to your `Cargo.toml`","code":null,"level":"help","spans":[],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror[E0433]\u001b[0m\u001b[0m\u001b[1m: failed to resolve: use of unresolved module or unlinked crate `wasm_bindgen_futures`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:224:9\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m224\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m wasm_bindgen_futures::spawn_local(async {\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^^^^^^^^^^^^^^^^^^^^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9muse of unresolved module or unlinked crate `wasm_bindgen_futures`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mhelp\u001b[0m\u001b[0m: if you wanted to use a crate named `wasm_bindgen_futures`, use `cargo add wasm_bindgen_futures` to add it to your `Cargo.toml`\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"failed to resolve: use of unresolved module or unlinked crate `wasm_bindgen_futures`","code":{"code":"E0433","explanation":"An undeclared crate, module, or type was used.\n\nErroneous code example:\n\n```compile_fail,E0433\nlet map = HashMap::new();\n// error: failed to resolve: use of undeclared type `HashMap`\n```\n\nPlease verify you didn't misspell the type/module's name or that you didn't\nforget to import it:\n\n```\nuse std::collections::HashMap; // HashMap has been imported.\nlet map: HashMap = HashMap::new(); // So it can be used!\n```\n\nIf you've expected to use a crate name:\n\n```compile_fail\nuse ferris_wheel::BigO;\n// error: failed to resolve: use of undeclared module or unlinked crate\n```\n\nMake sure the crate has been added as a dependency in `Cargo.toml`.\n\nTo use a module from your current crate, add the `crate::` prefix to the path.\n"},"level":"error","spans":[{"file_name":"src/lib.rs","byte_start":7316,"byte_end":7336,"line_start":259,"line_end":259,"column_start":5,"column_end":25,"is_primary":true,"text":[{"text":" wasm_bindgen_futures::spawn_local(async { initial_render().await });","highlight_start":5,"highlight_end":25}],"label":"use of unresolved module or unlinked crate `wasm_bindgen_futures`","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[{"message":"if you wanted to use a crate named `wasm_bindgen_futures`, use `cargo add wasm_bindgen_futures` to add it to your `Cargo.toml`","code":null,"level":"help","spans":[],"children":[],"rendered":null}],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror[E0433]\u001b[0m\u001b[0m\u001b[1m: failed to resolve: use of unresolved module or unlinked crate `wasm_bindgen_futures`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m--> \u001b[0m\u001b[0msrc/lib.rs:259:5\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m\u001b[1m\u001b[38;5;12m259\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m wasm_bindgen_futures::spawn_local(async { initial_render().await });\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9m^^^^^^^^^^^^^^^^^^^^\u001b[0m\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;9muse of unresolved module or unlinked crate `wasm_bindgen_futures`\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m|\u001b[0m\n\u001b[0m \u001b[0m\u001b[0m\u001b[1m\u001b[38;5;12m= \u001b[0m\u001b[0m\u001b[1mhelp\u001b[0m\u001b[0m: if you wanted to use a crate named `wasm_bindgen_futures`, use `cargo add wasm_bindgen_futures` to add it to your `Cargo.toml`\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"aborting due to 8 previous errors","code":null,"level":"error","spans":[],"children":[],"rendered":"\u001b[0m\u001b[1m\u001b[38;5;9merror\u001b[0m\u001b[0m\u001b[1m: aborting due to 8 previous errors\u001b[0m\n\n"} +{"$message_type":"diagnostic","message":"Some errors have detailed explanations: E0277, E0433.","code":null,"level":"failure-note","spans":[],"children":[],"rendered":"\u001b[0m\u001b[1mSome errors have detailed explanations: E0277, E0433.\u001b[0m\n"} +{"$message_type":"diagnostic","message":"For more information about an error, try `rustc --explain E0277`.","code":null,"level":"failure-note","spans":[],"children":[],"rendered":"\u001b[0m\u001b[1mFor more information about an error, try `rustc --explain E0277`.\u001b[0m\n"} diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/dep-lib-thiserror b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/dep-lib-thiserror new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/dep-lib-thiserror differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/lib-thiserror b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/lib-thiserror new file mode 100755 index 0000000..0822443 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/lib-thiserror @@ -0,0 +1 @@ +7591b05c65f20b37 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/lib-thiserror.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/lib-thiserror.json new file mode 100755 index 0000000..49c1975 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/lib-thiserror.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":13586076721141200315,"profile":2040997289075261528,"path":18034378362804459449,"deps":[[8008191657135824715,"build_script_build",false,8181905556523171785],[15291996789830541733,"thiserror_impl",false,7255122222268201674]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/thiserror-b5f17e12eddf1d5a/dep-lib-thiserror","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-da92f00084c69659/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-da92f00084c69659/run-build-script-build-script-build new file mode 100755 index 0000000..007e304 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-da92f00084c69659/run-build-script-build-script-build @@ -0,0 +1 @@ +c9bf5b0ac1f78b71 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-da92f00084c69659/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-da92f00084c69659/run-build-script-build-script-build.json new file mode 100755 index 0000000..f09a2f7 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/thiserror-da92f00084c69659/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[8008191657135824715,"build_script_build",false,9487041727779216770]],"local":[{"RerunIfChanged":{"output":"wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/output","paths":["build/probe.rs"]}},{"RerunIfEnvChanged":{"var":"RUSTC_BOOTSTRAP","val":null}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/dep-lib-unicase b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/dep-lib-unicase new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/dep-lib-unicase differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/lib-unicase b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/lib-unicase new file mode 100755 index 0000000..fecac33 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/lib-unicase @@ -0,0 +1 @@ +f58ffe7abbfae5ab \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/lib-unicase.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/lib-unicase.json new file mode 100755 index 0000000..b6a2eb9 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/lib-unicase.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[\"nightly\"]","target":10111812390214232954,"profile":2040997289075261528,"path":12111509405351609208,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/unicase-5abbea85982ad117/dep-lib-unicase","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/dep-lib-unicode_ident b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/dep-lib-unicode_ident new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/dep-lib-unicode_ident differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/lib-unicode_ident b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/lib-unicode_ident new file mode 100755 index 0000000..c801b5e --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/lib-unicode_ident @@ -0,0 +1 @@ +fe224ec49125c785 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/lib-unicode_ident.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/lib-unicode_ident.json new file mode 100755 index 0000000..6a34446 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/lib-unicode_ident.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":5438535436255082082,"profile":2040997289075261528,"path":4168965128746118673,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/unicode-ident-c94719d699619085/dep-lib-unicode_ident","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/dep-lib-unicode_width b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/dep-lib-unicode_width new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/dep-lib-unicode_width differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/lib-unicode_width b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/lib-unicode_width new file mode 100755 index 0000000..97c9af7 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/lib-unicode_width @@ -0,0 +1 @@ +897af803c7900f03 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/lib-unicode_width.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/lib-unicode_width.json new file mode 100755 index 0000000..bd8b3b8 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/lib-unicode_width.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"cjk\", \"default\"]","declared_features":"[\"cjk\", \"core\", \"default\", \"no_std\", \"rustc-dep-of-std\", \"std\"]","target":16876147670056848225,"profile":2040997289075261528,"path":17509071776117749323,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/unicode-width-31138bd0d9c938b6/dep-lib-unicode_width","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/dep-lib-unsafe_libyaml b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/dep-lib-unsafe_libyaml new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/dep-lib-unsafe_libyaml differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/lib-unsafe_libyaml b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/lib-unsafe_libyaml new file mode 100755 index 0000000..80937fa --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/lib-unsafe_libyaml @@ -0,0 +1 @@ +0cab55b335557651 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/lib-unsafe_libyaml.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/lib-unsafe_libyaml.json new file mode 100755 index 0000000..2de5423 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/lib-unsafe_libyaml.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":6059384038134511601,"profile":2040997289075261528,"path":2431926250938402591,"deps":[],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/unsafe-libyaml-77d21464eb324bcc/dep-lib-unsafe_libyaml","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-1a6b10ed9fd366f1/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-1a6b10ed9fd366f1/run-build-script-build-script-build new file mode 100755 index 0000000..fbd6856 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-1a6b10ed9fd366f1/run-build-script-build-script-build @@ -0,0 +1 @@ +86ee2406ddfbe52d \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-1a6b10ed9fd366f1/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-1a6b10ed9fd366f1/run-build-script-build-script-build.json new file mode 100755 index 0000000..663c6b3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-1a6b10ed9fd366f1/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[14523432694356582846,"build_script_build",false,10174399418502122662],[17704658107979109294,"build_script_build",false,17415666588325985785]],"local":[{"RerunIfChanged":{"output":"wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/output","paths":["build.rs"]}}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/dep-lib-wasm_bindgen b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/dep-lib-wasm_bindgen new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/dep-lib-wasm_bindgen differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/lib-wasm_bindgen b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/lib-wasm_bindgen new file mode 100755 index 0000000..d787ec3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/lib-wasm_bindgen @@ -0,0 +1 @@ +f1acc7505a37ba39 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/lib-wasm_bindgen.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/lib-wasm_bindgen.json new file mode 100755 index 0000000..7bce9b5 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/lib-wasm_bindgen.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"enable-interning\", \"gg-alloc\", \"msrv\", \"rustversion\", \"serde\", \"serde-serialize\", \"serde_json\", \"spans\", \"std\", \"strict-macro\", \"xxx_debug_only_print_generated_code\"]","target":4070942113156591848,"profile":6456097124152657218,"path":427261772728519056,"deps":[[3722963349756955755,"once_cell",false,4096124111687507230],[7667230146095136825,"cfg_if",false,5694222972374420133],[14523432694356582846,"build_script_build",false,3307326428082925190],[15686544705333527916,"wasm_bindgen_macro",false,12407150784152120435],[17704658107979109294,"wasm_bindgen_shared",false,16984613296497170869]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-ec51fdbea098b3cb/dep-lib-wasm_bindgen","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/dep-lib-wasm_bindgen_futures b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/dep-lib-wasm_bindgen_futures new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/dep-lib-wasm_bindgen_futures differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/lib-wasm_bindgen_futures b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/lib-wasm_bindgen_futures new file mode 100755 index 0000000..629fbef --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/lib-wasm_bindgen_futures @@ -0,0 +1 @@ +3bc50f562040562f \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/lib-wasm_bindgen_futures.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/lib-wasm_bindgen_futures.json new file mode 100755 index 0000000..6f97c1a --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/lib-wasm_bindgen_futures.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"default\", \"std\"]","declared_features":"[\"default\", \"futures-core\", \"futures-core-03-stream\", \"std\"]","target":4429042720284741532,"profile":6456097124152657218,"path":5821255507789582101,"deps":[[3722963349756955755,"once_cell",false,4096124111687507230],[7667230146095136825,"cfg_if",false,5694222972374420133],[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-futures-5cd51a4f128b8dcf/dep-lib-wasm_bindgen_futures","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-6465b65bc3a1d204/run-build-script-build-script-build b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-6465b65bc3a1d204/run-build-script-build-script-build new file mode 100755 index 0000000..65dd36a --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-6465b65bc3a1d204/run-build-script-build-script-build @@ -0,0 +1 @@ +f93dcf6b7de0b0f1 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-6465b65bc3a1d204/run-build-script-build-script-build.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-6465b65bc3a1d204/run-build-script-build-script-build.json new file mode 100755 index 0000000..5539151 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-6465b65bc3a1d204/run-build-script-build-script-build.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"","declared_features":"","target":0,"profile":0,"path":0,"deps":[[17704658107979109294,"build_script_build",false,2179265515476752570]],"local":[{"Precalculated":"0.2.104"}],"rustflags":[],"config":0,"compile_kind":0} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/dep-lib-wasm_bindgen_shared b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/dep-lib-wasm_bindgen_shared new file mode 100755 index 0000000..5e55038 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/dep-lib-wasm_bindgen_shared differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/lib-wasm_bindgen_shared b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/lib-wasm_bindgen_shared new file mode 100755 index 0000000..2f25858 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/lib-wasm_bindgen_shared @@ -0,0 +1 @@ +b5191709ce77b5eb \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/lib-wasm_bindgen_shared.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/lib-wasm_bindgen_shared.json new file mode 100755 index 0000000..dbfdad4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/lib-wasm_bindgen_shared.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[]","declared_features":"[]","target":8958406094080315647,"profile":6456097124152657218,"path":16634040127859469212,"deps":[[10637008577242657367,"unicode_ident",false,9639714835403776766],[17704658107979109294,"build_script_build",false,17415666588325985785]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/wasm-bindgen-shared-72a709e16c1dda84/dep-lib-wasm_bindgen_shared","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/dep-lib-web_sys b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/dep-lib-web_sys new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/dep-lib-web_sys differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/lib-web_sys b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/lib-web_sys new file mode 100755 index 0000000..b239490 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/lib-web_sys @@ -0,0 +1 @@ +e5524290bef904a0 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/lib-web_sys.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/lib-web_sys.json new file mode 100755 index 0000000..991e945 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/lib-web_sys.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"AbortSignal\", \"AddEventListenerOptions\", \"BinaryType\", \"Blob\", \"CloseEvent\", \"CloseEventInit\", \"Document\", \"Element\", \"ErrorEvent\", \"Event\", \"EventSource\", \"EventTarget\", \"FileReader\", \"FormData\", \"Headers\", \"History\", \"HtmlAnchorElement\", \"HtmlButtonElement\", \"HtmlDivElement\", \"HtmlElement\", \"HtmlHeadElement\", \"HtmlHeadingElement\", \"HtmlInputElement\", \"Location\", \"MessageEvent\", \"Node\", \"ObserverCallback\", \"ProgressEvent\", \"ReadableStream\", \"ReferrerPolicy\", \"Request\", \"RequestCache\", \"RequestCredentials\", \"RequestInit\", \"RequestMode\", \"RequestRedirect\", \"Response\", \"ResponseInit\", \"ResponseType\", \"Url\", \"UrlSearchParams\", \"WebSocket\", \"Window\", \"console\", \"default\", \"std\"]","declared_features":"[\"AbortController\", \"AbortSignal\", \"AddEventListenerOptions\", \"AesCbcParams\", \"AesCtrParams\", \"AesDerivedKeyParams\", \"AesGcmParams\", \"AesKeyAlgorithm\", \"AesKeyGenParams\", \"Algorithm\", \"AlignSetting\", \"AllowedBluetoothDevice\", \"AllowedUsbDevice\", \"AlphaOption\", \"AnalyserNode\", \"AnalyserOptions\", \"AngleInstancedArrays\", \"Animation\", \"AnimationEffect\", \"AnimationEvent\", \"AnimationEventInit\", \"AnimationPlayState\", \"AnimationPlaybackEvent\", \"AnimationPlaybackEventInit\", \"AnimationPropertyDetails\", \"AnimationPropertyValueDetails\", \"AnimationTimeline\", \"AssignedNodesOptions\", \"AttestationConveyancePreference\", \"Attr\", \"AttributeNameValue\", \"AudioBuffer\", \"AudioBufferOptions\", \"AudioBufferSourceNode\", \"AudioBufferSourceOptions\", \"AudioConfiguration\", \"AudioContext\", \"AudioContextLatencyCategory\", \"AudioContextOptions\", \"AudioContextState\", \"AudioData\", \"AudioDataCopyToOptions\", \"AudioDataInit\", \"AudioDecoder\", \"AudioDecoderConfig\", \"AudioDecoderInit\", \"AudioDecoderSupport\", \"AudioDestinationNode\", \"AudioEncoder\", \"AudioEncoderConfig\", \"AudioEncoderInit\", \"AudioEncoderSupport\", \"AudioListener\", \"AudioNode\", \"AudioNodeOptions\", \"AudioParam\", \"AudioParamMap\", \"AudioProcessingEvent\", \"AudioSampleFormat\", \"AudioScheduledSourceNode\", \"AudioSinkInfo\", \"AudioSinkOptions\", \"AudioSinkType\", \"AudioStreamTrack\", \"AudioTrack\", \"AudioTrackList\", \"AudioWorklet\", \"AudioWorkletGlobalScope\", \"AudioWorkletNode\", \"AudioWorkletNodeOptions\", \"AudioWorkletProcessor\", \"AuthenticationExtensionsClientInputs\", \"AuthenticationExtensionsClientInputsJson\", \"AuthenticationExtensionsClientOutputs\", \"AuthenticationExtensionsClientOutputsJson\", \"AuthenticationExtensionsDevicePublicKeyInputs\", \"AuthenticationExtensionsDevicePublicKeyOutputs\", \"AuthenticationExtensionsLargeBlobInputs\", \"AuthenticationExtensionsLargeBlobOutputs\", \"AuthenticationExtensionsPrfInputs\", \"AuthenticationExtensionsPrfOutputs\", \"AuthenticationExtensionsPrfValues\", \"AuthenticationResponseJson\", \"AuthenticatorAssertionResponse\", \"AuthenticatorAssertionResponseJson\", \"AuthenticatorAttachment\", \"AuthenticatorAttestationResponse\", \"AuthenticatorAttestationResponseJson\", \"AuthenticatorResponse\", \"AuthenticatorSelectionCriteria\", \"AuthenticatorTransport\", \"AutoKeyword\", \"AutocompleteInfo\", \"BarProp\", \"BaseAudioContext\", \"BaseComputedKeyframe\", \"BaseKeyframe\", \"BasePropertyIndexedKeyframe\", \"BasicCardRequest\", \"BasicCardResponse\", \"BasicCardType\", \"BatteryManager\", \"BeforeUnloadEvent\", \"BinaryType\", \"BiquadFilterNode\", \"BiquadFilterOptions\", \"BiquadFilterType\", \"Blob\", \"BlobEvent\", \"BlobEventInit\", \"BlobPropertyBag\", \"BlockParsingOptions\", \"Bluetooth\", \"BluetoothAdvertisingEvent\", \"BluetoothAdvertisingEventInit\", \"BluetoothCharacteristicProperties\", \"BluetoothDataFilterInit\", \"BluetoothDevice\", \"BluetoothLeScanFilterInit\", \"BluetoothManufacturerDataMap\", \"BluetoothPermissionDescriptor\", \"BluetoothPermissionResult\", \"BluetoothPermissionStorage\", \"BluetoothRemoteGattCharacteristic\", \"BluetoothRemoteGattDescriptor\", \"BluetoothRemoteGattServer\", \"BluetoothRemoteGattService\", \"BluetoothServiceDataMap\", \"BluetoothUuid\", \"BoxQuadOptions\", \"BroadcastChannel\", \"BrowserElementDownloadOptions\", \"BrowserElementExecuteScriptOptions\", \"BrowserFeedWriter\", \"BrowserFindCaseSensitivity\", \"BrowserFindDirection\", \"ByteLengthQueuingStrategy\", \"Cache\", \"CacheBatchOperation\", \"CacheQueryOptions\", \"CacheStorage\", \"CacheStorageNamespace\", \"CanvasCaptureMediaStream\", \"CanvasCaptureMediaStreamTrack\", \"CanvasGradient\", \"CanvasPattern\", \"CanvasRenderingContext2d\", \"CanvasWindingRule\", \"CaretChangedReason\", \"CaretPosition\", \"CaretStateChangedEventInit\", \"CdataSection\", \"ChannelCountMode\", \"ChannelInterpretation\", \"ChannelMergerNode\", \"ChannelMergerOptions\", \"ChannelSplitterNode\", \"ChannelSplitterOptions\", \"CharacterData\", \"CheckerboardReason\", \"CheckerboardReport\", \"CheckerboardReportService\", \"ChromeFilePropertyBag\", \"ChromeWorker\", \"Client\", \"ClientQueryOptions\", \"ClientRectsAndTexts\", \"ClientType\", \"Clients\", \"Clipboard\", \"ClipboardEvent\", \"ClipboardEventInit\", \"ClipboardItem\", \"ClipboardItemOptions\", \"ClipboardPermissionDescriptor\", \"ClipboardUnsanitizedFormats\", \"CloseEvent\", \"CloseEventInit\", \"CodecState\", \"CollectedClientData\", \"ColorSpaceConversion\", \"Comment\", \"CompositeOperation\", \"CompositionEvent\", \"CompositionEventInit\", \"CompressionFormat\", \"CompressionStream\", \"ComputedEffectTiming\", \"ConnStatusDict\", \"ConnectionType\", \"ConsoleCounter\", \"ConsoleCounterError\", \"ConsoleEvent\", \"ConsoleInstance\", \"ConsoleInstanceOptions\", \"ConsoleLevel\", \"ConsoleLogLevel\", \"ConsoleProfileEvent\", \"ConsoleStackEntry\", \"ConsoleTimerError\", \"ConsoleTimerLogOrEnd\", \"ConsoleTimerStart\", \"ConstantSourceNode\", \"ConstantSourceOptions\", \"ConstrainBooleanParameters\", \"ConstrainDomStringParameters\", \"ConstrainDoubleRange\", \"ConstrainLongRange\", \"ContextAttributes2d\", \"ConvertCoordinateOptions\", \"ConvolverNode\", \"ConvolverOptions\", \"Coordinates\", \"CountQueuingStrategy\", \"Credential\", \"CredentialCreationOptions\", \"CredentialPropertiesOutput\", \"CredentialRequestOptions\", \"CredentialsContainer\", \"Crypto\", \"CryptoKey\", \"CryptoKeyPair\", \"CssAnimation\", \"CssBoxType\", \"CssConditionRule\", \"CssCounterStyleRule\", \"CssFontFaceRule\", \"CssFontFeatureValuesRule\", \"CssGroupingRule\", \"CssImportRule\", \"CssKeyframeRule\", \"CssKeyframesRule\", \"CssMediaRule\", \"CssNamespaceRule\", \"CssPageRule\", \"CssPseudoElement\", \"CssRule\", \"CssRuleList\", \"CssStyleDeclaration\", \"CssStyleRule\", \"CssStyleSheet\", \"CssStyleSheetParsingMode\", \"CssSupportsRule\", \"CssTransition\", \"CustomElementRegistry\", \"CustomEvent\", \"CustomEventInit\", \"DataTransfer\", \"DataTransferItem\", \"DataTransferItemList\", \"DateTimeValue\", \"DecoderDoctorNotification\", \"DecoderDoctorNotificationType\", \"DecompressionStream\", \"DedicatedWorkerGlobalScope\", \"DelayNode\", \"DelayOptions\", \"DeviceAcceleration\", \"DeviceAccelerationInit\", \"DeviceLightEvent\", \"DeviceLightEventInit\", \"DeviceMotionEvent\", \"DeviceMotionEventInit\", \"DeviceOrientationEvent\", \"DeviceOrientationEventInit\", \"DeviceProximityEvent\", \"DeviceProximityEventInit\", \"DeviceRotationRate\", \"DeviceRotationRateInit\", \"DhKeyDeriveParams\", \"DirectionSetting\", \"Directory\", \"DirectoryPickerOptions\", \"DisplayMediaStreamConstraints\", \"DisplayNameOptions\", \"DisplayNameResult\", \"DistanceModelType\", \"DnsCacheDict\", \"DnsCacheEntry\", \"DnsLookupDict\", \"Document\", \"DocumentFragment\", \"DocumentTimeline\", \"DocumentTimelineOptions\", \"DocumentType\", \"DomError\", \"DomException\", \"DomImplementation\", \"DomMatrix\", \"DomMatrix2dInit\", \"DomMatrixInit\", \"DomMatrixReadOnly\", \"DomParser\", \"DomPoint\", \"DomPointInit\", \"DomPointReadOnly\", \"DomQuad\", \"DomQuadInit\", \"DomQuadJson\", \"DomRect\", \"DomRectInit\", \"DomRectList\", \"DomRectReadOnly\", \"DomRequest\", \"DomRequestReadyState\", \"DomStringList\", \"DomStringMap\", \"DomTokenList\", \"DomWindowResizeEventDetail\", \"DoubleRange\", \"DragEvent\", \"DragEventInit\", \"DynamicsCompressorNode\", \"DynamicsCompressorOptions\", \"EcKeyAlgorithm\", \"EcKeyGenParams\", \"EcKeyImportParams\", \"EcdhKeyDeriveParams\", \"EcdsaParams\", \"EffectTiming\", \"Element\", \"ElementCreationOptions\", \"ElementDefinitionOptions\", \"EncodedAudioChunk\", \"EncodedAudioChunkInit\", \"EncodedAudioChunkMetadata\", \"EncodedAudioChunkType\", \"EncodedVideoChunk\", \"EncodedVideoChunkInit\", \"EncodedVideoChunkMetadata\", \"EncodedVideoChunkType\", \"EndingTypes\", \"ErrorCallback\", \"ErrorEvent\", \"ErrorEventInit\", \"Event\", \"EventInit\", \"EventListener\", \"EventListenerOptions\", \"EventModifierInit\", \"EventSource\", \"EventSourceInit\", \"EventTarget\", \"Exception\", \"ExtBlendMinmax\", \"ExtColorBufferFloat\", \"ExtColorBufferHalfFloat\", \"ExtDisjointTimerQuery\", \"ExtFragDepth\", \"ExtSRgb\", \"ExtShaderTextureLod\", \"ExtTextureFilterAnisotropic\", \"ExtTextureNorm16\", \"ExtendableEvent\", \"ExtendableEventInit\", \"ExtendableMessageEvent\", \"ExtendableMessageEventInit\", \"External\", \"FakePluginMimeEntry\", \"FakePluginTagInit\", \"FetchEvent\", \"FetchEventInit\", \"FetchObserver\", \"FetchReadableStreamReadDataArray\", \"FetchReadableStreamReadDataDone\", \"FetchState\", \"File\", \"FileCallback\", \"FileList\", \"FilePickerAcceptType\", \"FilePickerOptions\", \"FilePropertyBag\", \"FileReader\", \"FileReaderSync\", \"FileSystem\", \"FileSystemCreateWritableOptions\", \"FileSystemDirectoryEntry\", \"FileSystemDirectoryHandle\", \"FileSystemDirectoryReader\", \"FileSystemEntriesCallback\", \"FileSystemEntry\", \"FileSystemEntryCallback\", \"FileSystemFileEntry\", \"FileSystemFileHandle\", \"FileSystemFlags\", \"FileSystemGetDirectoryOptions\", \"FileSystemGetFileOptions\", \"FileSystemHandle\", \"FileSystemHandleKind\", \"FileSystemHandlePermissionDescriptor\", \"FileSystemPermissionDescriptor\", \"FileSystemPermissionMode\", \"FileSystemReadWriteOptions\", \"FileSystemRemoveOptions\", \"FileSystemSyncAccessHandle\", \"FileSystemWritableFileStream\", \"FillMode\", \"FlashClassification\", \"FlowControlType\", \"FocusEvent\", \"FocusEventInit\", \"FocusOptions\", \"FontData\", \"FontFace\", \"FontFaceDescriptors\", \"FontFaceLoadStatus\", \"FontFaceSet\", \"FontFaceSetIterator\", \"FontFaceSetIteratorResult\", \"FontFaceSetLoadEvent\", \"FontFaceSetLoadEventInit\", \"FontFaceSetLoadStatus\", \"FormData\", \"FrameType\", \"FuzzingFunctions\", \"GainNode\", \"GainOptions\", \"Gamepad\", \"GamepadButton\", \"GamepadEffectParameters\", \"GamepadEvent\", \"GamepadEventInit\", \"GamepadHand\", \"GamepadHapticActuator\", \"GamepadHapticActuatorType\", \"GamepadHapticEffectType\", \"GamepadHapticsResult\", \"GamepadMappingType\", \"GamepadPose\", \"GamepadTouch\", \"Geolocation\", \"GestureEvent\", \"GetAnimationsOptions\", \"GetRootNodeOptions\", \"GetUserMediaRequest\", \"Gpu\", \"GpuAdapter\", \"GpuAdapterInfo\", \"GpuAddressMode\", \"GpuAutoLayoutMode\", \"GpuBindGroup\", \"GpuBindGroupDescriptor\", \"GpuBindGroupEntry\", \"GpuBindGroupLayout\", \"GpuBindGroupLayoutDescriptor\", \"GpuBindGroupLayoutEntry\", \"GpuBlendComponent\", \"GpuBlendFactor\", \"GpuBlendOperation\", \"GpuBlendState\", \"GpuBuffer\", \"GpuBufferBinding\", \"GpuBufferBindingLayout\", \"GpuBufferBindingType\", \"GpuBufferDescriptor\", \"GpuBufferMapState\", \"GpuCanvasAlphaMode\", \"GpuCanvasConfiguration\", \"GpuCanvasContext\", \"GpuCanvasToneMapping\", \"GpuCanvasToneMappingMode\", \"GpuColorDict\", \"GpuColorTargetState\", \"GpuCommandBuffer\", \"GpuCommandBufferDescriptor\", \"GpuCommandEncoder\", \"GpuCommandEncoderDescriptor\", \"GpuCompareFunction\", \"GpuCompilationInfo\", \"GpuCompilationMessage\", \"GpuCompilationMessageType\", \"GpuComputePassDescriptor\", \"GpuComputePassEncoder\", \"GpuComputePassTimestampWrites\", \"GpuComputePipeline\", \"GpuComputePipelineDescriptor\", \"GpuCopyExternalImageDestInfo\", \"GpuCopyExternalImageSourceInfo\", \"GpuCullMode\", \"GpuDepthStencilState\", \"GpuDevice\", \"GpuDeviceDescriptor\", \"GpuDeviceLostInfo\", \"GpuDeviceLostReason\", \"GpuError\", \"GpuErrorFilter\", \"GpuExtent3dDict\", \"GpuExternalTexture\", \"GpuExternalTextureBindingLayout\", \"GpuExternalTextureDescriptor\", \"GpuFeatureName\", \"GpuFilterMode\", \"GpuFragmentState\", \"GpuFrontFace\", \"GpuIndexFormat\", \"GpuInternalError\", \"GpuLoadOp\", \"GpuMipmapFilterMode\", \"GpuMultisampleState\", \"GpuObjectDescriptorBase\", \"GpuOrigin2dDict\", \"GpuOrigin3dDict\", \"GpuOutOfMemoryError\", \"GpuPipelineDescriptorBase\", \"GpuPipelineError\", \"GpuPipelineErrorInit\", \"GpuPipelineErrorReason\", \"GpuPipelineLayout\", \"GpuPipelineLayoutDescriptor\", \"GpuPowerPreference\", \"GpuPrimitiveState\", \"GpuPrimitiveTopology\", \"GpuProgrammableStage\", \"GpuQuerySet\", \"GpuQuerySetDescriptor\", \"GpuQueryType\", \"GpuQueue\", \"GpuQueueDescriptor\", \"GpuRenderBundle\", \"GpuRenderBundleDescriptor\", \"GpuRenderBundleEncoder\", \"GpuRenderBundleEncoderDescriptor\", \"GpuRenderPassColorAttachment\", \"GpuRenderPassDepthStencilAttachment\", \"GpuRenderPassDescriptor\", \"GpuRenderPassEncoder\", \"GpuRenderPassLayout\", \"GpuRenderPassTimestampWrites\", \"GpuRenderPipeline\", \"GpuRenderPipelineDescriptor\", \"GpuRequestAdapterOptions\", \"GpuSampler\", \"GpuSamplerBindingLayout\", \"GpuSamplerBindingType\", \"GpuSamplerDescriptor\", \"GpuShaderModule\", \"GpuShaderModuleCompilationHint\", \"GpuShaderModuleDescriptor\", \"GpuStencilFaceState\", \"GpuStencilOperation\", \"GpuStorageTextureAccess\", \"GpuStorageTextureBindingLayout\", \"GpuStoreOp\", \"GpuSupportedFeatures\", \"GpuSupportedLimits\", \"GpuTexelCopyBufferInfo\", \"GpuTexelCopyBufferLayout\", \"GpuTexelCopyTextureInfo\", \"GpuTexture\", \"GpuTextureAspect\", \"GpuTextureBindingLayout\", \"GpuTextureDescriptor\", \"GpuTextureDimension\", \"GpuTextureFormat\", \"GpuTextureSampleType\", \"GpuTextureView\", \"GpuTextureViewDescriptor\", \"GpuTextureViewDimension\", \"GpuUncapturedErrorEvent\", \"GpuUncapturedErrorEventInit\", \"GpuValidationError\", \"GpuVertexAttribute\", \"GpuVertexBufferLayout\", \"GpuVertexFormat\", \"GpuVertexState\", \"GpuVertexStepMode\", \"GroupedHistoryEventInit\", \"HalfOpenInfoDict\", \"HardwareAcceleration\", \"HashChangeEvent\", \"HashChangeEventInit\", \"Headers\", \"HeadersGuardEnum\", \"Hid\", \"HidCollectionInfo\", \"HidConnectionEvent\", \"HidConnectionEventInit\", \"HidDevice\", \"HidDeviceFilter\", \"HidDeviceRequestOptions\", \"HidInputReportEvent\", \"HidInputReportEventInit\", \"HidReportInfo\", \"HidReportItem\", \"HidUnitSystem\", \"HiddenPluginEventInit\", \"History\", \"HitRegionOptions\", \"HkdfParams\", \"HmacDerivedKeyParams\", \"HmacImportParams\", \"HmacKeyAlgorithm\", \"HmacKeyGenParams\", \"HtmlAllCollection\", \"HtmlAnchorElement\", \"HtmlAreaElement\", \"HtmlAudioElement\", \"HtmlBaseElement\", \"HtmlBodyElement\", \"HtmlBrElement\", \"HtmlButtonElement\", \"HtmlCanvasElement\", \"HtmlCollection\", \"HtmlDListElement\", \"HtmlDataElement\", \"HtmlDataListElement\", \"HtmlDetailsElement\", \"HtmlDialogElement\", \"HtmlDirectoryElement\", \"HtmlDivElement\", \"HtmlDocument\", \"HtmlElement\", \"HtmlEmbedElement\", \"HtmlFieldSetElement\", \"HtmlFontElement\", \"HtmlFormControlsCollection\", \"HtmlFormElement\", \"HtmlFrameElement\", \"HtmlFrameSetElement\", \"HtmlHeadElement\", \"HtmlHeadingElement\", \"HtmlHrElement\", \"HtmlHtmlElement\", \"HtmlIFrameElement\", \"HtmlImageElement\", \"HtmlInputElement\", \"HtmlLabelElement\", \"HtmlLegendElement\", \"HtmlLiElement\", \"HtmlLinkElement\", \"HtmlMapElement\", \"HtmlMediaElement\", \"HtmlMenuElement\", \"HtmlMenuItemElement\", \"HtmlMetaElement\", \"HtmlMeterElement\", \"HtmlModElement\", \"HtmlOListElement\", \"HtmlObjectElement\", \"HtmlOptGroupElement\", \"HtmlOptionElement\", \"HtmlOptionsCollection\", \"HtmlOutputElement\", \"HtmlParagraphElement\", \"HtmlParamElement\", \"HtmlPictureElement\", \"HtmlPreElement\", \"HtmlProgressElement\", \"HtmlQuoteElement\", \"HtmlScriptElement\", \"HtmlSelectElement\", \"HtmlSlotElement\", \"HtmlSourceElement\", \"HtmlSpanElement\", \"HtmlStyleElement\", \"HtmlTableCaptionElement\", \"HtmlTableCellElement\", \"HtmlTableColElement\", \"HtmlTableElement\", \"HtmlTableRowElement\", \"HtmlTableSectionElement\", \"HtmlTemplateElement\", \"HtmlTextAreaElement\", \"HtmlTimeElement\", \"HtmlTitleElement\", \"HtmlTrackElement\", \"HtmlUListElement\", \"HtmlUnknownElement\", \"HtmlVideoElement\", \"HttpConnDict\", \"HttpConnInfo\", \"HttpConnectionElement\", \"IdbCursor\", \"IdbCursorDirection\", \"IdbCursorWithValue\", \"IdbDatabase\", \"IdbFactory\", \"IdbFileHandle\", \"IdbFileMetadataParameters\", \"IdbFileRequest\", \"IdbIndex\", \"IdbIndexParameters\", \"IdbKeyRange\", \"IdbLocaleAwareKeyRange\", \"IdbMutableFile\", \"IdbObjectStore\", \"IdbObjectStoreParameters\", \"IdbOpenDbOptions\", \"IdbOpenDbRequest\", \"IdbRequest\", \"IdbRequestReadyState\", \"IdbTransaction\", \"IdbTransactionDurability\", \"IdbTransactionMode\", \"IdbTransactionOptions\", \"IdbVersionChangeEvent\", \"IdbVersionChangeEventInit\", \"IdleDeadline\", \"IdleRequestOptions\", \"IirFilterNode\", \"IirFilterOptions\", \"ImageBitmap\", \"ImageBitmapOptions\", \"ImageBitmapRenderingContext\", \"ImageCapture\", \"ImageCaptureError\", \"ImageCaptureErrorEvent\", \"ImageCaptureErrorEventInit\", \"ImageData\", \"ImageDecodeOptions\", \"ImageDecodeResult\", \"ImageDecoder\", \"ImageDecoderInit\", \"ImageEncodeOptions\", \"ImageOrientation\", \"ImageTrack\", \"ImageTrackList\", \"InputDeviceInfo\", \"InputEvent\", \"InputEventInit\", \"IntersectionObserver\", \"IntersectionObserverEntry\", \"IntersectionObserverEntryInit\", \"IntersectionObserverInit\", \"IntlUtils\", \"IsInputPendingOptions\", \"IterableKeyAndValueResult\", \"IterableKeyOrValueResult\", \"IterationCompositeOperation\", \"JsonWebKey\", \"KeyAlgorithm\", \"KeyEvent\", \"KeyFrameRequestEvent\", \"KeyIdsInitData\", \"KeyboardEvent\", \"KeyboardEventInit\", \"KeyframeAnimationOptions\", \"KeyframeEffect\", \"KeyframeEffectOptions\", \"L10nElement\", \"L10nValue\", \"LargeBlobSupport\", \"LatencyMode\", \"LifecycleCallbacks\", \"LineAlignSetting\", \"ListBoxObject\", \"LocalMediaStream\", \"LocaleInfo\", \"Location\", \"Lock\", \"LockInfo\", \"LockManager\", \"LockManagerSnapshot\", \"LockMode\", \"LockOptions\", \"MathMlElement\", \"MediaCapabilities\", \"MediaCapabilitiesInfo\", \"MediaConfiguration\", \"MediaDecodingConfiguration\", \"MediaDecodingType\", \"MediaDeviceInfo\", \"MediaDeviceKind\", \"MediaDevices\", \"MediaElementAudioSourceNode\", \"MediaElementAudioSourceOptions\", \"MediaEncodingConfiguration\", \"MediaEncodingType\", \"MediaEncryptedEvent\", \"MediaError\", \"MediaImage\", \"MediaKeyError\", \"MediaKeyMessageEvent\", \"MediaKeyMessageEventInit\", \"MediaKeyMessageType\", \"MediaKeyNeededEventInit\", \"MediaKeySession\", \"MediaKeySessionType\", \"MediaKeyStatus\", \"MediaKeyStatusMap\", \"MediaKeySystemAccess\", \"MediaKeySystemConfiguration\", \"MediaKeySystemMediaCapability\", \"MediaKeySystemStatus\", \"MediaKeys\", \"MediaKeysPolicy\", \"MediaKeysRequirement\", \"MediaList\", \"MediaMetadata\", \"MediaMetadataInit\", \"MediaPositionState\", \"MediaQueryList\", \"MediaQueryListEvent\", \"MediaQueryListEventInit\", \"MediaRecorder\", \"MediaRecorderErrorEvent\", \"MediaRecorderErrorEventInit\", \"MediaRecorderOptions\", \"MediaSession\", \"MediaSessionAction\", \"MediaSessionActionDetails\", \"MediaSessionPlaybackState\", \"MediaSource\", \"MediaSourceEndOfStreamError\", \"MediaSourceEnum\", \"MediaSourceReadyState\", \"MediaStream\", \"MediaStreamAudioDestinationNode\", \"MediaStreamAudioSourceNode\", \"MediaStreamAudioSourceOptions\", \"MediaStreamConstraints\", \"MediaStreamError\", \"MediaStreamEvent\", \"MediaStreamEventInit\", \"MediaStreamTrack\", \"MediaStreamTrackEvent\", \"MediaStreamTrackEventInit\", \"MediaStreamTrackGenerator\", \"MediaStreamTrackGeneratorInit\", \"MediaStreamTrackProcessor\", \"MediaStreamTrackProcessorInit\", \"MediaStreamTrackState\", \"MediaTrackCapabilities\", \"MediaTrackConstraintSet\", \"MediaTrackConstraints\", \"MediaTrackSettings\", \"MediaTrackSupportedConstraints\", \"MemoryAttribution\", \"MemoryAttributionContainer\", \"MemoryBreakdownEntry\", \"MemoryMeasurement\", \"MessageChannel\", \"MessageEvent\", \"MessageEventInit\", \"MessagePort\", \"MidiAccess\", \"MidiConnectionEvent\", \"MidiConnectionEventInit\", \"MidiInput\", \"MidiInputMap\", \"MidiMessageEvent\", \"MidiMessageEventInit\", \"MidiOptions\", \"MidiOutput\", \"MidiOutputMap\", \"MidiPort\", \"MidiPortConnectionState\", \"MidiPortDeviceState\", \"MidiPortType\", \"MimeType\", \"MimeTypeArray\", \"MouseEvent\", \"MouseEventInit\", \"MouseScrollEvent\", \"MozDebug\", \"MutationEvent\", \"MutationObserver\", \"MutationObserverInit\", \"MutationObservingInfo\", \"MutationRecord\", \"NamedNodeMap\", \"NativeOsFileReadOptions\", \"NativeOsFileWriteAtomicOptions\", \"NavigationType\", \"Navigator\", \"NavigatorAutomationInformation\", \"NavigatorUaBrandVersion\", \"NavigatorUaData\", \"NetworkCommandOptions\", \"NetworkInformation\", \"NetworkResultOptions\", \"Node\", \"NodeFilter\", \"NodeIterator\", \"NodeList\", \"Notification\", \"NotificationAction\", \"NotificationDirection\", \"NotificationEvent\", \"NotificationEventInit\", \"NotificationOptions\", \"NotificationPermission\", \"ObserverCallback\", \"OesElementIndexUint\", \"OesStandardDerivatives\", \"OesTextureFloat\", \"OesTextureFloatLinear\", \"OesTextureHalfFloat\", \"OesTextureHalfFloatLinear\", \"OesVertexArrayObject\", \"OfflineAudioCompletionEvent\", \"OfflineAudioCompletionEventInit\", \"OfflineAudioContext\", \"OfflineAudioContextOptions\", \"OfflineResourceList\", \"OffscreenCanvas\", \"OffscreenCanvasRenderingContext2d\", \"OpenFilePickerOptions\", \"OpenWindowEventDetail\", \"OptionalEffectTiming\", \"OrientationLockType\", \"OrientationType\", \"OscillatorNode\", \"OscillatorOptions\", \"OscillatorType\", \"OverSampleType\", \"OvrMultiview2\", \"PageTransitionEvent\", \"PageTransitionEventInit\", \"PaintRequest\", \"PaintRequestList\", \"PaintWorkletGlobalScope\", \"PannerNode\", \"PannerOptions\", \"PanningModelType\", \"ParityType\", \"Path2d\", \"PaymentAddress\", \"PaymentComplete\", \"PaymentMethodChangeEvent\", \"PaymentMethodChangeEventInit\", \"PaymentRequestUpdateEvent\", \"PaymentRequestUpdateEventInit\", \"PaymentResponse\", \"Pbkdf2Params\", \"PcImplIceConnectionState\", \"PcImplIceGatheringState\", \"PcImplSignalingState\", \"PcObserverStateType\", \"Performance\", \"PerformanceEntry\", \"PerformanceEntryEventInit\", \"PerformanceEntryFilterOptions\", \"PerformanceMark\", \"PerformanceMeasure\", \"PerformanceNavigation\", \"PerformanceNavigationTiming\", \"PerformanceObserver\", \"PerformanceObserverEntryList\", \"PerformanceObserverInit\", \"PerformanceResourceTiming\", \"PerformanceServerTiming\", \"PerformanceTiming\", \"PeriodicWave\", \"PeriodicWaveConstraints\", \"PeriodicWaveOptions\", \"PermissionDescriptor\", \"PermissionName\", \"PermissionState\", \"PermissionStatus\", \"Permissions\", \"PictureInPictureEvent\", \"PictureInPictureEventInit\", \"PictureInPictureWindow\", \"PlaneLayout\", \"PlaybackDirection\", \"Plugin\", \"PluginArray\", \"PluginCrashedEventInit\", \"PointerEvent\", \"PointerEventInit\", \"PopStateEvent\", \"PopStateEventInit\", \"PopupBlockedEvent\", \"PopupBlockedEventInit\", \"Position\", \"PositionAlignSetting\", \"PositionError\", \"PositionOptions\", \"PremultiplyAlpha\", \"Presentation\", \"PresentationAvailability\", \"PresentationConnection\", \"PresentationConnectionAvailableEvent\", \"PresentationConnectionAvailableEventInit\", \"PresentationConnectionBinaryType\", \"PresentationConnectionCloseEvent\", \"PresentationConnectionCloseEventInit\", \"PresentationConnectionClosedReason\", \"PresentationConnectionList\", \"PresentationConnectionState\", \"PresentationReceiver\", \"PresentationRequest\", \"PresentationStyle\", \"ProcessingInstruction\", \"ProfileTimelineLayerRect\", \"ProfileTimelineMarker\", \"ProfileTimelineMessagePortOperationType\", \"ProfileTimelineStackFrame\", \"ProfileTimelineWorkerOperationType\", \"ProgressEvent\", \"ProgressEventInit\", \"PromiseNativeHandler\", \"PromiseRejectionEvent\", \"PromiseRejectionEventInit\", \"PublicKeyCredential\", \"PublicKeyCredentialCreationOptions\", \"PublicKeyCredentialCreationOptionsJson\", \"PublicKeyCredentialDescriptor\", \"PublicKeyCredentialDescriptorJson\", \"PublicKeyCredentialEntity\", \"PublicKeyCredentialHints\", \"PublicKeyCredentialParameters\", \"PublicKeyCredentialRequestOptions\", \"PublicKeyCredentialRequestOptionsJson\", \"PublicKeyCredentialRpEntity\", \"PublicKeyCredentialType\", \"PublicKeyCredentialUserEntity\", \"PublicKeyCredentialUserEntityJson\", \"PushEncryptionKeyName\", \"PushEvent\", \"PushEventInit\", \"PushManager\", \"PushMessageData\", \"PushPermissionState\", \"PushSubscription\", \"PushSubscriptionInit\", \"PushSubscriptionJson\", \"PushSubscriptionKeys\", \"PushSubscriptionOptions\", \"PushSubscriptionOptionsInit\", \"QueryOptions\", \"QueuingStrategy\", \"QueuingStrategyInit\", \"RadioNodeList\", \"Range\", \"RcwnPerfStats\", \"RcwnStatus\", \"ReadableByteStreamController\", \"ReadableStream\", \"ReadableStreamByobReader\", \"ReadableStreamByobRequest\", \"ReadableStreamDefaultController\", \"ReadableStreamDefaultReader\", \"ReadableStreamGetReaderOptions\", \"ReadableStreamIteratorOptions\", \"ReadableStreamReadResult\", \"ReadableStreamReaderMode\", \"ReadableStreamType\", \"ReadableWritablePair\", \"RecordingState\", \"ReferrerPolicy\", \"RegisterRequest\", \"RegisterResponse\", \"RegisteredKey\", \"RegistrationOptions\", \"RegistrationResponseJson\", \"Request\", \"RequestCache\", \"RequestCredentials\", \"RequestDestination\", \"RequestDeviceOptions\", \"RequestInit\", \"RequestMediaKeySystemAccessNotification\", \"RequestMode\", \"RequestRedirect\", \"ResidentKeyRequirement\", \"ResizeObserver\", \"ResizeObserverBoxOptions\", \"ResizeObserverEntry\", \"ResizeObserverOptions\", \"ResizeObserverSize\", \"ResizeQuality\", \"Response\", \"ResponseInit\", \"ResponseType\", \"RsaHashedImportParams\", \"RsaOaepParams\", \"RsaOtherPrimesInfo\", \"RsaPssParams\", \"RtcAnswerOptions\", \"RtcBundlePolicy\", \"RtcCertificate\", \"RtcCertificateExpiration\", \"RtcCodecStats\", \"RtcConfiguration\", \"RtcDataChannel\", \"RtcDataChannelEvent\", \"RtcDataChannelEventInit\", \"RtcDataChannelInit\", \"RtcDataChannelState\", \"RtcDataChannelType\", \"RtcDegradationPreference\", \"RtcEncodedAudioFrame\", \"RtcEncodedAudioFrameMetadata\", \"RtcEncodedAudioFrameOptions\", \"RtcEncodedVideoFrame\", \"RtcEncodedVideoFrameMetadata\", \"RtcEncodedVideoFrameOptions\", \"RtcEncodedVideoFrameType\", \"RtcFecParameters\", \"RtcIceCandidate\", \"RtcIceCandidateInit\", \"RtcIceCandidatePairStats\", \"RtcIceCandidateStats\", \"RtcIceComponentStats\", \"RtcIceConnectionState\", \"RtcIceCredentialType\", \"RtcIceGatheringState\", \"RtcIceServer\", \"RtcIceTransportPolicy\", \"RtcIdentityAssertion\", \"RtcIdentityAssertionResult\", \"RtcIdentityProvider\", \"RtcIdentityProviderDetails\", \"RtcIdentityProviderOptions\", \"RtcIdentityProviderRegistrar\", \"RtcIdentityValidationResult\", \"RtcInboundRtpStreamStats\", \"RtcMediaStreamStats\", \"RtcMediaStreamTrackStats\", \"RtcOfferAnswerOptions\", \"RtcOfferOptions\", \"RtcOutboundRtpStreamStats\", \"RtcPeerConnection\", \"RtcPeerConnectionIceErrorEvent\", \"RtcPeerConnectionIceEvent\", \"RtcPeerConnectionIceEventInit\", \"RtcPeerConnectionState\", \"RtcPriorityType\", \"RtcRtcpParameters\", \"RtcRtpCapabilities\", \"RtcRtpCodecCapability\", \"RtcRtpCodecParameters\", \"RtcRtpContributingSource\", \"RtcRtpEncodingParameters\", \"RtcRtpHeaderExtensionCapability\", \"RtcRtpHeaderExtensionParameters\", \"RtcRtpParameters\", \"RtcRtpReceiver\", \"RtcRtpScriptTransform\", \"RtcRtpScriptTransformer\", \"RtcRtpSender\", \"RtcRtpSourceEntry\", \"RtcRtpSourceEntryType\", \"RtcRtpSynchronizationSource\", \"RtcRtpTransceiver\", \"RtcRtpTransceiverDirection\", \"RtcRtpTransceiverInit\", \"RtcRtxParameters\", \"RtcSdpType\", \"RtcSessionDescription\", \"RtcSessionDescriptionInit\", \"RtcSignalingState\", \"RtcStats\", \"RtcStatsIceCandidatePairState\", \"RtcStatsIceCandidateType\", \"RtcStatsReport\", \"RtcStatsReportInternal\", \"RtcStatsType\", \"RtcTrackEvent\", \"RtcTrackEventInit\", \"RtcTransformEvent\", \"RtcTransportStats\", \"RtcdtmfSender\", \"RtcdtmfToneChangeEvent\", \"RtcdtmfToneChangeEventInit\", \"RtcrtpContributingSourceStats\", \"RtcrtpStreamStats\", \"SFrameTransform\", \"SFrameTransformErrorEvent\", \"SFrameTransformErrorEventInit\", \"SFrameTransformErrorEventType\", \"SFrameTransformOptions\", \"SFrameTransformRole\", \"SaveFilePickerOptions\", \"Scheduler\", \"SchedulerPostTaskOptions\", \"Scheduling\", \"Screen\", \"ScreenColorGamut\", \"ScreenLuminance\", \"ScreenOrientation\", \"ScriptProcessorNode\", \"ScrollAreaEvent\", \"ScrollBehavior\", \"ScrollBoxObject\", \"ScrollIntoViewOptions\", \"ScrollLogicalPosition\", \"ScrollOptions\", \"ScrollRestoration\", \"ScrollSetting\", \"ScrollState\", \"ScrollToOptions\", \"ScrollViewChangeEventInit\", \"SecurityPolicyViolationEvent\", \"SecurityPolicyViolationEventDisposition\", \"SecurityPolicyViolationEventInit\", \"Selection\", \"SelectionMode\", \"Serial\", \"SerialInputSignals\", \"SerialOptions\", \"SerialOutputSignals\", \"SerialPort\", \"SerialPortFilter\", \"SerialPortInfo\", \"SerialPortRequestOptions\", \"ServerSocketOptions\", \"ServiceWorker\", \"ServiceWorkerContainer\", \"ServiceWorkerGlobalScope\", \"ServiceWorkerRegistration\", \"ServiceWorkerState\", \"ServiceWorkerUpdateViaCache\", \"ShadowRoot\", \"ShadowRootInit\", \"ShadowRootMode\", \"ShareData\", \"SharedWorker\", \"SharedWorkerGlobalScope\", \"SignResponse\", \"SocketElement\", \"SocketOptions\", \"SocketReadyState\", \"SocketsDict\", \"SourceBuffer\", \"SourceBufferAppendMode\", \"SourceBufferList\", \"SpeechGrammar\", \"SpeechGrammarList\", \"SpeechRecognition\", \"SpeechRecognitionAlternative\", \"SpeechRecognitionError\", \"SpeechRecognitionErrorCode\", \"SpeechRecognitionErrorInit\", \"SpeechRecognitionEvent\", \"SpeechRecognitionEventInit\", \"SpeechRecognitionResult\", \"SpeechRecognitionResultList\", \"SpeechSynthesis\", \"SpeechSynthesisErrorCode\", \"SpeechSynthesisErrorEvent\", \"SpeechSynthesisErrorEventInit\", \"SpeechSynthesisEvent\", \"SpeechSynthesisEventInit\", \"SpeechSynthesisUtterance\", \"SpeechSynthesisVoice\", \"StereoPannerNode\", \"StereoPannerOptions\", \"Storage\", \"StorageEstimate\", \"StorageEvent\", \"StorageEventInit\", \"StorageManager\", \"StorageType\", \"StreamPipeOptions\", \"StyleRuleChangeEventInit\", \"StyleSheet\", \"StyleSheetApplicableStateChangeEventInit\", \"StyleSheetChangeEventInit\", \"StyleSheetList\", \"SubmitEvent\", \"SubmitEventInit\", \"SubtleCrypto\", \"SupportedType\", \"SvcOutputMetadata\", \"SvgAngle\", \"SvgAnimateElement\", \"SvgAnimateMotionElement\", \"SvgAnimateTransformElement\", \"SvgAnimatedAngle\", \"SvgAnimatedBoolean\", \"SvgAnimatedEnumeration\", \"SvgAnimatedInteger\", \"SvgAnimatedLength\", \"SvgAnimatedLengthList\", \"SvgAnimatedNumber\", \"SvgAnimatedNumberList\", \"SvgAnimatedPreserveAspectRatio\", \"SvgAnimatedRect\", \"SvgAnimatedString\", \"SvgAnimatedTransformList\", \"SvgAnimationElement\", \"SvgBoundingBoxOptions\", \"SvgCircleElement\", \"SvgClipPathElement\", \"SvgComponentTransferFunctionElement\", \"SvgDefsElement\", \"SvgDescElement\", \"SvgElement\", \"SvgEllipseElement\", \"SvgFilterElement\", \"SvgForeignObjectElement\", \"SvgGeometryElement\", \"SvgGradientElement\", \"SvgGraphicsElement\", \"SvgImageElement\", \"SvgLength\", \"SvgLengthList\", \"SvgLineElement\", \"SvgLinearGradientElement\", \"SvgMarkerElement\", \"SvgMaskElement\", \"SvgMatrix\", \"SvgMetadataElement\", \"SvgNumber\", \"SvgNumberList\", \"SvgPathElement\", \"SvgPathSeg\", \"SvgPathSegArcAbs\", \"SvgPathSegArcRel\", \"SvgPathSegClosePath\", \"SvgPathSegCurvetoCubicAbs\", \"SvgPathSegCurvetoCubicRel\", \"SvgPathSegCurvetoCubicSmoothAbs\", \"SvgPathSegCurvetoCubicSmoothRel\", \"SvgPathSegCurvetoQuadraticAbs\", \"SvgPathSegCurvetoQuadraticRel\", \"SvgPathSegCurvetoQuadraticSmoothAbs\", \"SvgPathSegCurvetoQuadraticSmoothRel\", \"SvgPathSegLinetoAbs\", \"SvgPathSegLinetoHorizontalAbs\", \"SvgPathSegLinetoHorizontalRel\", \"SvgPathSegLinetoRel\", \"SvgPathSegLinetoVerticalAbs\", \"SvgPathSegLinetoVerticalRel\", \"SvgPathSegList\", \"SvgPathSegMovetoAbs\", \"SvgPathSegMovetoRel\", \"SvgPatternElement\", \"SvgPoint\", \"SvgPointList\", \"SvgPolygonElement\", \"SvgPolylineElement\", \"SvgPreserveAspectRatio\", \"SvgRadialGradientElement\", \"SvgRect\", \"SvgRectElement\", \"SvgScriptElement\", \"SvgSetElement\", \"SvgStopElement\", \"SvgStringList\", \"SvgStyleElement\", \"SvgSwitchElement\", \"SvgSymbolElement\", \"SvgTextContentElement\", \"SvgTextElement\", \"SvgTextPathElement\", \"SvgTextPositioningElement\", \"SvgTitleElement\", \"SvgTransform\", \"SvgTransformList\", \"SvgUnitTypes\", \"SvgUseElement\", \"SvgViewElement\", \"SvgZoomAndPan\", \"SvgaElement\", \"SvgfeBlendElement\", \"SvgfeColorMatrixElement\", \"SvgfeComponentTransferElement\", \"SvgfeCompositeElement\", \"SvgfeConvolveMatrixElement\", \"SvgfeDiffuseLightingElement\", \"SvgfeDisplacementMapElement\", \"SvgfeDistantLightElement\", \"SvgfeDropShadowElement\", \"SvgfeFloodElement\", \"SvgfeFuncAElement\", \"SvgfeFuncBElement\", \"SvgfeFuncGElement\", \"SvgfeFuncRElement\", \"SvgfeGaussianBlurElement\", \"SvgfeImageElement\", \"SvgfeMergeElement\", \"SvgfeMergeNodeElement\", \"SvgfeMorphologyElement\", \"SvgfeOffsetElement\", \"SvgfePointLightElement\", \"SvgfeSpecularLightingElement\", \"SvgfeSpotLightElement\", \"SvgfeTileElement\", \"SvgfeTurbulenceElement\", \"SvggElement\", \"SvgmPathElement\", \"SvgsvgElement\", \"SvgtSpanElement\", \"TaskController\", \"TaskControllerInit\", \"TaskPriority\", \"TaskPriorityChangeEvent\", \"TaskPriorityChangeEventInit\", \"TaskSignal\", \"TaskSignalAnyInit\", \"TcpReadyState\", \"TcpServerSocket\", \"TcpServerSocketEvent\", \"TcpServerSocketEventInit\", \"TcpSocket\", \"TcpSocketBinaryType\", \"TcpSocketErrorEvent\", \"TcpSocketErrorEventInit\", \"TcpSocketEvent\", \"TcpSocketEventInit\", \"Text\", \"TextDecodeOptions\", \"TextDecoder\", \"TextDecoderOptions\", \"TextEncoder\", \"TextMetrics\", \"TextTrack\", \"TextTrackCue\", \"TextTrackCueList\", \"TextTrackKind\", \"TextTrackList\", \"TextTrackMode\", \"TimeEvent\", \"TimeRanges\", \"ToggleEvent\", \"ToggleEventInit\", \"TokenBinding\", \"TokenBindingStatus\", \"Touch\", \"TouchEvent\", \"TouchEventInit\", \"TouchInit\", \"TouchList\", \"TrackEvent\", \"TrackEventInit\", \"TransformStream\", \"TransformStreamDefaultController\", \"Transformer\", \"TransitionEvent\", \"TransitionEventInit\", \"Transport\", \"TreeBoxObject\", \"TreeCellInfo\", \"TreeView\", \"TreeWalker\", \"U2f\", \"U2fClientData\", \"ULongRange\", \"UaDataValues\", \"UaLowEntropyJson\", \"UdpMessageEventInit\", \"UdpOptions\", \"UiEvent\", \"UiEventInit\", \"UnderlyingSink\", \"UnderlyingSource\", \"Url\", \"UrlSearchParams\", \"Usb\", \"UsbAlternateInterface\", \"UsbConfiguration\", \"UsbConnectionEvent\", \"UsbConnectionEventInit\", \"UsbControlTransferParameters\", \"UsbDevice\", \"UsbDeviceFilter\", \"UsbDeviceRequestOptions\", \"UsbDirection\", \"UsbEndpoint\", \"UsbEndpointType\", \"UsbInTransferResult\", \"UsbInterface\", \"UsbIsochronousInTransferPacket\", \"UsbIsochronousInTransferResult\", \"UsbIsochronousOutTransferPacket\", \"UsbIsochronousOutTransferResult\", \"UsbOutTransferResult\", \"UsbPermissionDescriptor\", \"UsbPermissionResult\", \"UsbPermissionStorage\", \"UsbRecipient\", \"UsbRequestType\", \"UsbTransferStatus\", \"UserActivation\", \"UserProximityEvent\", \"UserProximityEventInit\", \"UserVerificationRequirement\", \"ValidityState\", \"ValueEvent\", \"ValueEventInit\", \"VideoColorPrimaries\", \"VideoColorSpace\", \"VideoColorSpaceInit\", \"VideoConfiguration\", \"VideoDecoder\", \"VideoDecoderConfig\", \"VideoDecoderInit\", \"VideoDecoderSupport\", \"VideoEncoder\", \"VideoEncoderConfig\", \"VideoEncoderEncodeOptions\", \"VideoEncoderInit\", \"VideoEncoderSupport\", \"VideoFacingModeEnum\", \"VideoFrame\", \"VideoFrameBufferInit\", \"VideoFrameCopyToOptions\", \"VideoFrameInit\", \"VideoMatrixCoefficients\", \"VideoPixelFormat\", \"VideoPlaybackQuality\", \"VideoStreamTrack\", \"VideoTrack\", \"VideoTrackList\", \"VideoTransferCharacteristics\", \"ViewTransition\", \"VisibilityState\", \"VisualViewport\", \"VoidCallback\", \"VrDisplay\", \"VrDisplayCapabilities\", \"VrEye\", \"VrEyeParameters\", \"VrFieldOfView\", \"VrFrameData\", \"VrLayer\", \"VrMockController\", \"VrMockDisplay\", \"VrPose\", \"VrServiceTest\", \"VrStageParameters\", \"VrSubmitFrameResult\", \"VttCue\", \"VttRegion\", \"WakeLock\", \"WakeLockSentinel\", \"WakeLockType\", \"WatchAdvertisementsOptions\", \"WaveShaperNode\", \"WaveShaperOptions\", \"WebGl2RenderingContext\", \"WebGlActiveInfo\", \"WebGlBuffer\", \"WebGlContextAttributes\", \"WebGlContextEvent\", \"WebGlContextEventInit\", \"WebGlFramebuffer\", \"WebGlPowerPreference\", \"WebGlProgram\", \"WebGlQuery\", \"WebGlRenderbuffer\", \"WebGlRenderingContext\", \"WebGlSampler\", \"WebGlShader\", \"WebGlShaderPrecisionFormat\", \"WebGlSync\", \"WebGlTexture\", \"WebGlTransformFeedback\", \"WebGlUniformLocation\", \"WebGlVertexArrayObject\", \"WebKitCssMatrix\", \"WebSocket\", \"WebSocketDict\", \"WebSocketElement\", \"WebTransport\", \"WebTransportBidirectionalStream\", \"WebTransportCloseInfo\", \"WebTransportCongestionControl\", \"WebTransportDatagramDuplexStream\", \"WebTransportDatagramStats\", \"WebTransportError\", \"WebTransportErrorOptions\", \"WebTransportErrorSource\", \"WebTransportHash\", \"WebTransportOptions\", \"WebTransportReceiveStream\", \"WebTransportReceiveStreamStats\", \"WebTransportReliabilityMode\", \"WebTransportSendStream\", \"WebTransportSendStreamOptions\", \"WebTransportSendStreamStats\", \"WebTransportStats\", \"WebglColorBufferFloat\", \"WebglCompressedTextureAstc\", \"WebglCompressedTextureAtc\", \"WebglCompressedTextureEtc\", \"WebglCompressedTextureEtc1\", \"WebglCompressedTexturePvrtc\", \"WebglCompressedTextureS3tc\", \"WebglCompressedTextureS3tcSrgb\", \"WebglDebugRendererInfo\", \"WebglDebugShaders\", \"WebglDepthTexture\", \"WebglDrawBuffers\", \"WebglLoseContext\", \"WebglMultiDraw\", \"WellKnownDirectory\", \"WgslLanguageFeatures\", \"WheelEvent\", \"WheelEventInit\", \"WidevineCdmManifest\", \"Window\", \"WindowClient\", \"Worker\", \"WorkerDebuggerGlobalScope\", \"WorkerGlobalScope\", \"WorkerLocation\", \"WorkerNavigator\", \"WorkerOptions\", \"WorkerType\", \"Worklet\", \"WorkletGlobalScope\", \"WorkletOptions\", \"WritableStream\", \"WritableStreamDefaultController\", \"WritableStreamDefaultWriter\", \"WriteCommandType\", \"WriteParams\", \"XPathExpression\", \"XPathNsResolver\", \"XPathResult\", \"XmlDocument\", \"XmlHttpRequest\", \"XmlHttpRequestEventTarget\", \"XmlHttpRequestResponseType\", \"XmlHttpRequestUpload\", \"XmlSerializer\", \"XrBoundedReferenceSpace\", \"XrEye\", \"XrFrame\", \"XrHand\", \"XrHandJoint\", \"XrHandedness\", \"XrInputSource\", \"XrInputSourceArray\", \"XrInputSourceEvent\", \"XrInputSourceEventInit\", \"XrInputSourcesChangeEvent\", \"XrInputSourcesChangeEventInit\", \"XrJointPose\", \"XrJointSpace\", \"XrLayer\", \"XrPermissionDescriptor\", \"XrPermissionStatus\", \"XrPose\", \"XrReferenceSpace\", \"XrReferenceSpaceEvent\", \"XrReferenceSpaceEventInit\", \"XrReferenceSpaceType\", \"XrRenderState\", \"XrRenderStateInit\", \"XrRigidTransform\", \"XrSession\", \"XrSessionEvent\", \"XrSessionEventInit\", \"XrSessionInit\", \"XrSessionMode\", \"XrSessionSupportedPermissionDescriptor\", \"XrSpace\", \"XrSystem\", \"XrTargetRayMode\", \"XrView\", \"XrViewerPose\", \"XrViewport\", \"XrVisibilityState\", \"XrWebGlLayer\", \"XrWebGlLayerInit\", \"XsltProcessor\", \"console\", \"css\", \"default\", \"gpu_buffer_usage\", \"gpu_color_write\", \"gpu_map_mode\", \"gpu_shader_stage\", \"gpu_texture_usage\", \"std\"]","target":13536520916013249019,"profile":702178222214728192,"path":12813310343330654164,"deps":[[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/web-sys-4351bc98226bf584/dep-lib-web_sys","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/dep-lib-web_sys b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/dep-lib-web_sys new file mode 100755 index 0000000..ec3cb8b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/dep-lib-web_sys differ diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/lib-web_sys b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/lib-web_sys new file mode 100755 index 0000000..4dc6a6a --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/lib-web_sys @@ -0,0 +1 @@ +73cfbb55883715a0 \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/lib-web_sys.json b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/lib-web_sys.json new file mode 100755 index 0000000..b498311 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/lib-web_sys.json @@ -0,0 +1 @@ +{"rustc":16285725380928457773,"features":"[\"AbortSignal\", \"AddEventListenerOptions\", \"BinaryType\", \"Blob\", \"CloseEvent\", \"CloseEventInit\", \"Document\", \"Element\", \"ErrorEvent\", \"Event\", \"EventSource\", \"EventTarget\", \"FileReader\", \"FormData\", \"Headers\", \"History\", \"HtmlElement\", \"HtmlHeadElement\", \"Location\", \"MessageEvent\", \"Node\", \"ObserverCallback\", \"ProgressEvent\", \"ReadableStream\", \"ReferrerPolicy\", \"Request\", \"RequestCache\", \"RequestCredentials\", \"RequestInit\", \"RequestMode\", \"RequestRedirect\", \"Response\", \"ResponseInit\", \"ResponseType\", \"Url\", \"UrlSearchParams\", \"WebSocket\", \"Window\", \"console\", \"default\", \"std\"]","declared_features":"[\"AbortController\", \"AbortSignal\", \"AddEventListenerOptions\", \"AesCbcParams\", \"AesCtrParams\", \"AesDerivedKeyParams\", \"AesGcmParams\", \"AesKeyAlgorithm\", \"AesKeyGenParams\", \"Algorithm\", \"AlignSetting\", \"AllowedBluetoothDevice\", \"AllowedUsbDevice\", \"AlphaOption\", \"AnalyserNode\", \"AnalyserOptions\", \"AngleInstancedArrays\", \"Animation\", \"AnimationEffect\", \"AnimationEvent\", \"AnimationEventInit\", \"AnimationPlayState\", \"AnimationPlaybackEvent\", \"AnimationPlaybackEventInit\", \"AnimationPropertyDetails\", \"AnimationPropertyValueDetails\", \"AnimationTimeline\", \"AssignedNodesOptions\", \"AttestationConveyancePreference\", \"Attr\", \"AttributeNameValue\", \"AudioBuffer\", \"AudioBufferOptions\", \"AudioBufferSourceNode\", \"AudioBufferSourceOptions\", \"AudioConfiguration\", \"AudioContext\", \"AudioContextLatencyCategory\", \"AudioContextOptions\", \"AudioContextState\", \"AudioData\", \"AudioDataCopyToOptions\", \"AudioDataInit\", \"AudioDecoder\", \"AudioDecoderConfig\", \"AudioDecoderInit\", \"AudioDecoderSupport\", \"AudioDestinationNode\", \"AudioEncoder\", \"AudioEncoderConfig\", \"AudioEncoderInit\", \"AudioEncoderSupport\", \"AudioListener\", \"AudioNode\", \"AudioNodeOptions\", \"AudioParam\", \"AudioParamMap\", \"AudioProcessingEvent\", \"AudioSampleFormat\", \"AudioScheduledSourceNode\", \"AudioSinkInfo\", \"AudioSinkOptions\", \"AudioSinkType\", \"AudioStreamTrack\", \"AudioTrack\", \"AudioTrackList\", \"AudioWorklet\", \"AudioWorkletGlobalScope\", \"AudioWorkletNode\", \"AudioWorkletNodeOptions\", \"AudioWorkletProcessor\", \"AuthenticationExtensionsClientInputs\", \"AuthenticationExtensionsClientInputsJson\", \"AuthenticationExtensionsClientOutputs\", \"AuthenticationExtensionsClientOutputsJson\", \"AuthenticationExtensionsDevicePublicKeyInputs\", \"AuthenticationExtensionsDevicePublicKeyOutputs\", \"AuthenticationExtensionsLargeBlobInputs\", \"AuthenticationExtensionsLargeBlobOutputs\", \"AuthenticationExtensionsPrfInputs\", \"AuthenticationExtensionsPrfOutputs\", \"AuthenticationExtensionsPrfValues\", \"AuthenticationResponseJson\", \"AuthenticatorAssertionResponse\", \"AuthenticatorAssertionResponseJson\", \"AuthenticatorAttachment\", \"AuthenticatorAttestationResponse\", \"AuthenticatorAttestationResponseJson\", \"AuthenticatorResponse\", \"AuthenticatorSelectionCriteria\", \"AuthenticatorTransport\", \"AutoKeyword\", \"AutocompleteInfo\", \"BarProp\", \"BaseAudioContext\", \"BaseComputedKeyframe\", \"BaseKeyframe\", \"BasePropertyIndexedKeyframe\", \"BasicCardRequest\", \"BasicCardResponse\", \"BasicCardType\", \"BatteryManager\", \"BeforeUnloadEvent\", \"BinaryType\", \"BiquadFilterNode\", \"BiquadFilterOptions\", \"BiquadFilterType\", \"Blob\", \"BlobEvent\", \"BlobEventInit\", \"BlobPropertyBag\", \"BlockParsingOptions\", \"Bluetooth\", \"BluetoothAdvertisingEvent\", \"BluetoothAdvertisingEventInit\", \"BluetoothCharacteristicProperties\", \"BluetoothDataFilterInit\", \"BluetoothDevice\", \"BluetoothLeScanFilterInit\", \"BluetoothManufacturerDataMap\", \"BluetoothPermissionDescriptor\", \"BluetoothPermissionResult\", \"BluetoothPermissionStorage\", \"BluetoothRemoteGattCharacteristic\", \"BluetoothRemoteGattDescriptor\", \"BluetoothRemoteGattServer\", \"BluetoothRemoteGattService\", \"BluetoothServiceDataMap\", \"BluetoothUuid\", \"BoxQuadOptions\", \"BroadcastChannel\", \"BrowserElementDownloadOptions\", \"BrowserElementExecuteScriptOptions\", \"BrowserFeedWriter\", \"BrowserFindCaseSensitivity\", \"BrowserFindDirection\", \"ByteLengthQueuingStrategy\", \"Cache\", \"CacheBatchOperation\", \"CacheQueryOptions\", \"CacheStorage\", \"CacheStorageNamespace\", \"CanvasCaptureMediaStream\", \"CanvasCaptureMediaStreamTrack\", \"CanvasGradient\", \"CanvasPattern\", \"CanvasRenderingContext2d\", \"CanvasWindingRule\", \"CaretChangedReason\", \"CaretPosition\", \"CaretStateChangedEventInit\", \"CdataSection\", \"ChannelCountMode\", \"ChannelInterpretation\", \"ChannelMergerNode\", \"ChannelMergerOptions\", \"ChannelSplitterNode\", \"ChannelSplitterOptions\", \"CharacterData\", \"CheckerboardReason\", \"CheckerboardReport\", \"CheckerboardReportService\", \"ChromeFilePropertyBag\", \"ChromeWorker\", \"Client\", \"ClientQueryOptions\", \"ClientRectsAndTexts\", \"ClientType\", \"Clients\", \"Clipboard\", \"ClipboardEvent\", \"ClipboardEventInit\", \"ClipboardItem\", \"ClipboardItemOptions\", \"ClipboardPermissionDescriptor\", \"ClipboardUnsanitizedFormats\", \"CloseEvent\", \"CloseEventInit\", \"CodecState\", \"CollectedClientData\", \"ColorSpaceConversion\", \"Comment\", \"CompositeOperation\", \"CompositionEvent\", \"CompositionEventInit\", \"CompressionFormat\", \"CompressionStream\", \"ComputedEffectTiming\", \"ConnStatusDict\", \"ConnectionType\", \"ConsoleCounter\", \"ConsoleCounterError\", \"ConsoleEvent\", \"ConsoleInstance\", \"ConsoleInstanceOptions\", \"ConsoleLevel\", \"ConsoleLogLevel\", \"ConsoleProfileEvent\", \"ConsoleStackEntry\", \"ConsoleTimerError\", \"ConsoleTimerLogOrEnd\", \"ConsoleTimerStart\", \"ConstantSourceNode\", \"ConstantSourceOptions\", \"ConstrainBooleanParameters\", \"ConstrainDomStringParameters\", \"ConstrainDoubleRange\", \"ConstrainLongRange\", \"ContextAttributes2d\", \"ConvertCoordinateOptions\", \"ConvolverNode\", \"ConvolverOptions\", \"Coordinates\", \"CountQueuingStrategy\", \"Credential\", \"CredentialCreationOptions\", \"CredentialPropertiesOutput\", \"CredentialRequestOptions\", \"CredentialsContainer\", \"Crypto\", \"CryptoKey\", \"CryptoKeyPair\", \"CssAnimation\", \"CssBoxType\", \"CssConditionRule\", \"CssCounterStyleRule\", \"CssFontFaceRule\", \"CssFontFeatureValuesRule\", \"CssGroupingRule\", \"CssImportRule\", \"CssKeyframeRule\", \"CssKeyframesRule\", \"CssMediaRule\", \"CssNamespaceRule\", \"CssPageRule\", \"CssPseudoElement\", \"CssRule\", \"CssRuleList\", \"CssStyleDeclaration\", \"CssStyleRule\", \"CssStyleSheet\", \"CssStyleSheetParsingMode\", \"CssSupportsRule\", \"CssTransition\", \"CustomElementRegistry\", \"CustomEvent\", \"CustomEventInit\", \"DataTransfer\", \"DataTransferItem\", \"DataTransferItemList\", \"DateTimeValue\", \"DecoderDoctorNotification\", \"DecoderDoctorNotificationType\", \"DecompressionStream\", \"DedicatedWorkerGlobalScope\", \"DelayNode\", \"DelayOptions\", \"DeviceAcceleration\", \"DeviceAccelerationInit\", \"DeviceLightEvent\", \"DeviceLightEventInit\", \"DeviceMotionEvent\", \"DeviceMotionEventInit\", \"DeviceOrientationEvent\", \"DeviceOrientationEventInit\", \"DeviceProximityEvent\", \"DeviceProximityEventInit\", \"DeviceRotationRate\", \"DeviceRotationRateInit\", \"DhKeyDeriveParams\", \"DirectionSetting\", \"Directory\", \"DirectoryPickerOptions\", \"DisplayMediaStreamConstraints\", \"DisplayNameOptions\", \"DisplayNameResult\", \"DistanceModelType\", \"DnsCacheDict\", \"DnsCacheEntry\", \"DnsLookupDict\", \"Document\", \"DocumentFragment\", \"DocumentTimeline\", \"DocumentTimelineOptions\", \"DocumentType\", \"DomError\", \"DomException\", \"DomImplementation\", \"DomMatrix\", \"DomMatrix2dInit\", \"DomMatrixInit\", \"DomMatrixReadOnly\", \"DomParser\", \"DomPoint\", \"DomPointInit\", \"DomPointReadOnly\", \"DomQuad\", \"DomQuadInit\", \"DomQuadJson\", \"DomRect\", \"DomRectInit\", \"DomRectList\", \"DomRectReadOnly\", \"DomRequest\", \"DomRequestReadyState\", \"DomStringList\", \"DomStringMap\", \"DomTokenList\", \"DomWindowResizeEventDetail\", \"DoubleRange\", \"DragEvent\", \"DragEventInit\", \"DynamicsCompressorNode\", \"DynamicsCompressorOptions\", \"EcKeyAlgorithm\", \"EcKeyGenParams\", \"EcKeyImportParams\", \"EcdhKeyDeriveParams\", \"EcdsaParams\", \"EffectTiming\", \"Element\", \"ElementCreationOptions\", \"ElementDefinitionOptions\", \"EncodedAudioChunk\", \"EncodedAudioChunkInit\", \"EncodedAudioChunkMetadata\", \"EncodedAudioChunkType\", \"EncodedVideoChunk\", \"EncodedVideoChunkInit\", \"EncodedVideoChunkMetadata\", \"EncodedVideoChunkType\", \"EndingTypes\", \"ErrorCallback\", \"ErrorEvent\", \"ErrorEventInit\", \"Event\", \"EventInit\", \"EventListener\", \"EventListenerOptions\", \"EventModifierInit\", \"EventSource\", \"EventSourceInit\", \"EventTarget\", \"Exception\", \"ExtBlendMinmax\", \"ExtColorBufferFloat\", \"ExtColorBufferHalfFloat\", \"ExtDisjointTimerQuery\", \"ExtFragDepth\", \"ExtSRgb\", \"ExtShaderTextureLod\", \"ExtTextureFilterAnisotropic\", \"ExtTextureNorm16\", \"ExtendableEvent\", \"ExtendableEventInit\", \"ExtendableMessageEvent\", \"ExtendableMessageEventInit\", \"External\", \"FakePluginMimeEntry\", \"FakePluginTagInit\", \"FetchEvent\", \"FetchEventInit\", \"FetchObserver\", \"FetchReadableStreamReadDataArray\", \"FetchReadableStreamReadDataDone\", \"FetchState\", \"File\", \"FileCallback\", \"FileList\", \"FilePickerAcceptType\", \"FilePickerOptions\", \"FilePropertyBag\", \"FileReader\", \"FileReaderSync\", \"FileSystem\", \"FileSystemCreateWritableOptions\", \"FileSystemDirectoryEntry\", \"FileSystemDirectoryHandle\", \"FileSystemDirectoryReader\", \"FileSystemEntriesCallback\", \"FileSystemEntry\", \"FileSystemEntryCallback\", \"FileSystemFileEntry\", \"FileSystemFileHandle\", \"FileSystemFlags\", \"FileSystemGetDirectoryOptions\", \"FileSystemGetFileOptions\", \"FileSystemHandle\", \"FileSystemHandleKind\", \"FileSystemHandlePermissionDescriptor\", \"FileSystemPermissionDescriptor\", \"FileSystemPermissionMode\", \"FileSystemReadWriteOptions\", \"FileSystemRemoveOptions\", \"FileSystemSyncAccessHandle\", \"FileSystemWritableFileStream\", \"FillMode\", \"FlashClassification\", \"FlowControlType\", \"FocusEvent\", \"FocusEventInit\", \"FocusOptions\", \"FontData\", \"FontFace\", \"FontFaceDescriptors\", \"FontFaceLoadStatus\", \"FontFaceSet\", \"FontFaceSetIterator\", \"FontFaceSetIteratorResult\", \"FontFaceSetLoadEvent\", \"FontFaceSetLoadEventInit\", \"FontFaceSetLoadStatus\", \"FormData\", \"FrameType\", \"FuzzingFunctions\", \"GainNode\", \"GainOptions\", \"Gamepad\", \"GamepadButton\", \"GamepadEffectParameters\", \"GamepadEvent\", \"GamepadEventInit\", \"GamepadHand\", \"GamepadHapticActuator\", \"GamepadHapticActuatorType\", \"GamepadHapticEffectType\", \"GamepadHapticsResult\", \"GamepadMappingType\", \"GamepadPose\", \"GamepadTouch\", \"Geolocation\", \"GestureEvent\", \"GetAnimationsOptions\", \"GetRootNodeOptions\", \"GetUserMediaRequest\", \"Gpu\", \"GpuAdapter\", \"GpuAdapterInfo\", \"GpuAddressMode\", \"GpuAutoLayoutMode\", \"GpuBindGroup\", \"GpuBindGroupDescriptor\", \"GpuBindGroupEntry\", \"GpuBindGroupLayout\", \"GpuBindGroupLayoutDescriptor\", \"GpuBindGroupLayoutEntry\", \"GpuBlendComponent\", \"GpuBlendFactor\", \"GpuBlendOperation\", \"GpuBlendState\", \"GpuBuffer\", \"GpuBufferBinding\", \"GpuBufferBindingLayout\", \"GpuBufferBindingType\", \"GpuBufferDescriptor\", \"GpuBufferMapState\", \"GpuCanvasAlphaMode\", \"GpuCanvasConfiguration\", \"GpuCanvasContext\", \"GpuCanvasToneMapping\", \"GpuCanvasToneMappingMode\", \"GpuColorDict\", \"GpuColorTargetState\", \"GpuCommandBuffer\", \"GpuCommandBufferDescriptor\", \"GpuCommandEncoder\", \"GpuCommandEncoderDescriptor\", \"GpuCompareFunction\", \"GpuCompilationInfo\", \"GpuCompilationMessage\", \"GpuCompilationMessageType\", \"GpuComputePassDescriptor\", \"GpuComputePassEncoder\", \"GpuComputePassTimestampWrites\", \"GpuComputePipeline\", \"GpuComputePipelineDescriptor\", \"GpuCopyExternalImageDestInfo\", \"GpuCopyExternalImageSourceInfo\", \"GpuCullMode\", \"GpuDepthStencilState\", \"GpuDevice\", \"GpuDeviceDescriptor\", \"GpuDeviceLostInfo\", \"GpuDeviceLostReason\", \"GpuError\", \"GpuErrorFilter\", \"GpuExtent3dDict\", \"GpuExternalTexture\", \"GpuExternalTextureBindingLayout\", \"GpuExternalTextureDescriptor\", \"GpuFeatureName\", \"GpuFilterMode\", \"GpuFragmentState\", \"GpuFrontFace\", \"GpuIndexFormat\", \"GpuInternalError\", \"GpuLoadOp\", \"GpuMipmapFilterMode\", \"GpuMultisampleState\", \"GpuObjectDescriptorBase\", \"GpuOrigin2dDict\", \"GpuOrigin3dDict\", \"GpuOutOfMemoryError\", \"GpuPipelineDescriptorBase\", \"GpuPipelineError\", \"GpuPipelineErrorInit\", \"GpuPipelineErrorReason\", \"GpuPipelineLayout\", \"GpuPipelineLayoutDescriptor\", \"GpuPowerPreference\", \"GpuPrimitiveState\", \"GpuPrimitiveTopology\", \"GpuProgrammableStage\", \"GpuQuerySet\", \"GpuQuerySetDescriptor\", \"GpuQueryType\", \"GpuQueue\", \"GpuQueueDescriptor\", \"GpuRenderBundle\", \"GpuRenderBundleDescriptor\", \"GpuRenderBundleEncoder\", \"GpuRenderBundleEncoderDescriptor\", \"GpuRenderPassColorAttachment\", \"GpuRenderPassDepthStencilAttachment\", \"GpuRenderPassDescriptor\", \"GpuRenderPassEncoder\", \"GpuRenderPassLayout\", \"GpuRenderPassTimestampWrites\", \"GpuRenderPipeline\", \"GpuRenderPipelineDescriptor\", \"GpuRequestAdapterOptions\", \"GpuSampler\", \"GpuSamplerBindingLayout\", \"GpuSamplerBindingType\", \"GpuSamplerDescriptor\", \"GpuShaderModule\", \"GpuShaderModuleCompilationHint\", \"GpuShaderModuleDescriptor\", \"GpuStencilFaceState\", \"GpuStencilOperation\", \"GpuStorageTextureAccess\", \"GpuStorageTextureBindingLayout\", \"GpuStoreOp\", \"GpuSupportedFeatures\", \"GpuSupportedLimits\", \"GpuTexelCopyBufferInfo\", \"GpuTexelCopyBufferLayout\", \"GpuTexelCopyTextureInfo\", \"GpuTexture\", \"GpuTextureAspect\", \"GpuTextureBindingLayout\", \"GpuTextureDescriptor\", \"GpuTextureDimension\", \"GpuTextureFormat\", \"GpuTextureSampleType\", \"GpuTextureView\", \"GpuTextureViewDescriptor\", \"GpuTextureViewDimension\", \"GpuUncapturedErrorEvent\", \"GpuUncapturedErrorEventInit\", \"GpuValidationError\", \"GpuVertexAttribute\", \"GpuVertexBufferLayout\", \"GpuVertexFormat\", \"GpuVertexState\", \"GpuVertexStepMode\", \"GroupedHistoryEventInit\", \"HalfOpenInfoDict\", \"HardwareAcceleration\", \"HashChangeEvent\", \"HashChangeEventInit\", \"Headers\", \"HeadersGuardEnum\", \"Hid\", \"HidCollectionInfo\", \"HidConnectionEvent\", \"HidConnectionEventInit\", \"HidDevice\", \"HidDeviceFilter\", \"HidDeviceRequestOptions\", \"HidInputReportEvent\", \"HidInputReportEventInit\", \"HidReportInfo\", \"HidReportItem\", \"HidUnitSystem\", \"HiddenPluginEventInit\", \"History\", \"HitRegionOptions\", \"HkdfParams\", \"HmacDerivedKeyParams\", \"HmacImportParams\", \"HmacKeyAlgorithm\", \"HmacKeyGenParams\", \"HtmlAllCollection\", \"HtmlAnchorElement\", \"HtmlAreaElement\", \"HtmlAudioElement\", \"HtmlBaseElement\", \"HtmlBodyElement\", \"HtmlBrElement\", \"HtmlButtonElement\", \"HtmlCanvasElement\", \"HtmlCollection\", \"HtmlDListElement\", \"HtmlDataElement\", \"HtmlDataListElement\", \"HtmlDetailsElement\", \"HtmlDialogElement\", \"HtmlDirectoryElement\", \"HtmlDivElement\", \"HtmlDocument\", \"HtmlElement\", \"HtmlEmbedElement\", \"HtmlFieldSetElement\", \"HtmlFontElement\", \"HtmlFormControlsCollection\", \"HtmlFormElement\", \"HtmlFrameElement\", \"HtmlFrameSetElement\", \"HtmlHeadElement\", \"HtmlHeadingElement\", \"HtmlHrElement\", \"HtmlHtmlElement\", \"HtmlIFrameElement\", \"HtmlImageElement\", \"HtmlInputElement\", \"HtmlLabelElement\", \"HtmlLegendElement\", \"HtmlLiElement\", \"HtmlLinkElement\", \"HtmlMapElement\", \"HtmlMediaElement\", \"HtmlMenuElement\", \"HtmlMenuItemElement\", \"HtmlMetaElement\", \"HtmlMeterElement\", \"HtmlModElement\", \"HtmlOListElement\", \"HtmlObjectElement\", \"HtmlOptGroupElement\", \"HtmlOptionElement\", \"HtmlOptionsCollection\", \"HtmlOutputElement\", \"HtmlParagraphElement\", \"HtmlParamElement\", \"HtmlPictureElement\", \"HtmlPreElement\", \"HtmlProgressElement\", \"HtmlQuoteElement\", \"HtmlScriptElement\", \"HtmlSelectElement\", \"HtmlSlotElement\", \"HtmlSourceElement\", \"HtmlSpanElement\", \"HtmlStyleElement\", \"HtmlTableCaptionElement\", \"HtmlTableCellElement\", \"HtmlTableColElement\", \"HtmlTableElement\", \"HtmlTableRowElement\", \"HtmlTableSectionElement\", \"HtmlTemplateElement\", \"HtmlTextAreaElement\", \"HtmlTimeElement\", \"HtmlTitleElement\", \"HtmlTrackElement\", \"HtmlUListElement\", \"HtmlUnknownElement\", \"HtmlVideoElement\", \"HttpConnDict\", \"HttpConnInfo\", \"HttpConnectionElement\", \"IdbCursor\", \"IdbCursorDirection\", \"IdbCursorWithValue\", \"IdbDatabase\", \"IdbFactory\", \"IdbFileHandle\", \"IdbFileMetadataParameters\", \"IdbFileRequest\", \"IdbIndex\", \"IdbIndexParameters\", \"IdbKeyRange\", \"IdbLocaleAwareKeyRange\", \"IdbMutableFile\", \"IdbObjectStore\", \"IdbObjectStoreParameters\", \"IdbOpenDbOptions\", \"IdbOpenDbRequest\", \"IdbRequest\", \"IdbRequestReadyState\", \"IdbTransaction\", \"IdbTransactionDurability\", \"IdbTransactionMode\", \"IdbTransactionOptions\", \"IdbVersionChangeEvent\", \"IdbVersionChangeEventInit\", \"IdleDeadline\", \"IdleRequestOptions\", \"IirFilterNode\", \"IirFilterOptions\", \"ImageBitmap\", \"ImageBitmapOptions\", \"ImageBitmapRenderingContext\", \"ImageCapture\", \"ImageCaptureError\", \"ImageCaptureErrorEvent\", \"ImageCaptureErrorEventInit\", \"ImageData\", \"ImageDecodeOptions\", \"ImageDecodeResult\", \"ImageDecoder\", \"ImageDecoderInit\", \"ImageEncodeOptions\", \"ImageOrientation\", \"ImageTrack\", \"ImageTrackList\", \"InputDeviceInfo\", \"InputEvent\", \"InputEventInit\", \"IntersectionObserver\", \"IntersectionObserverEntry\", \"IntersectionObserverEntryInit\", \"IntersectionObserverInit\", \"IntlUtils\", \"IsInputPendingOptions\", \"IterableKeyAndValueResult\", \"IterableKeyOrValueResult\", \"IterationCompositeOperation\", \"JsonWebKey\", \"KeyAlgorithm\", \"KeyEvent\", \"KeyFrameRequestEvent\", \"KeyIdsInitData\", \"KeyboardEvent\", \"KeyboardEventInit\", \"KeyframeAnimationOptions\", \"KeyframeEffect\", \"KeyframeEffectOptions\", \"L10nElement\", \"L10nValue\", \"LargeBlobSupport\", \"LatencyMode\", \"LifecycleCallbacks\", \"LineAlignSetting\", \"ListBoxObject\", \"LocalMediaStream\", \"LocaleInfo\", \"Location\", \"Lock\", \"LockInfo\", \"LockManager\", \"LockManagerSnapshot\", \"LockMode\", \"LockOptions\", \"MathMlElement\", \"MediaCapabilities\", \"MediaCapabilitiesInfo\", \"MediaConfiguration\", \"MediaDecodingConfiguration\", \"MediaDecodingType\", \"MediaDeviceInfo\", \"MediaDeviceKind\", \"MediaDevices\", \"MediaElementAudioSourceNode\", \"MediaElementAudioSourceOptions\", \"MediaEncodingConfiguration\", \"MediaEncodingType\", \"MediaEncryptedEvent\", \"MediaError\", \"MediaImage\", \"MediaKeyError\", \"MediaKeyMessageEvent\", \"MediaKeyMessageEventInit\", \"MediaKeyMessageType\", \"MediaKeyNeededEventInit\", \"MediaKeySession\", \"MediaKeySessionType\", \"MediaKeyStatus\", \"MediaKeyStatusMap\", \"MediaKeySystemAccess\", \"MediaKeySystemConfiguration\", \"MediaKeySystemMediaCapability\", \"MediaKeySystemStatus\", \"MediaKeys\", \"MediaKeysPolicy\", \"MediaKeysRequirement\", \"MediaList\", \"MediaMetadata\", \"MediaMetadataInit\", \"MediaPositionState\", \"MediaQueryList\", \"MediaQueryListEvent\", \"MediaQueryListEventInit\", \"MediaRecorder\", \"MediaRecorderErrorEvent\", \"MediaRecorderErrorEventInit\", \"MediaRecorderOptions\", \"MediaSession\", \"MediaSessionAction\", \"MediaSessionActionDetails\", \"MediaSessionPlaybackState\", \"MediaSource\", \"MediaSourceEndOfStreamError\", \"MediaSourceEnum\", \"MediaSourceReadyState\", \"MediaStream\", \"MediaStreamAudioDestinationNode\", \"MediaStreamAudioSourceNode\", \"MediaStreamAudioSourceOptions\", \"MediaStreamConstraints\", \"MediaStreamError\", \"MediaStreamEvent\", \"MediaStreamEventInit\", \"MediaStreamTrack\", \"MediaStreamTrackEvent\", \"MediaStreamTrackEventInit\", \"MediaStreamTrackGenerator\", \"MediaStreamTrackGeneratorInit\", \"MediaStreamTrackProcessor\", \"MediaStreamTrackProcessorInit\", \"MediaStreamTrackState\", \"MediaTrackCapabilities\", \"MediaTrackConstraintSet\", \"MediaTrackConstraints\", \"MediaTrackSettings\", \"MediaTrackSupportedConstraints\", \"MemoryAttribution\", \"MemoryAttributionContainer\", \"MemoryBreakdownEntry\", \"MemoryMeasurement\", \"MessageChannel\", \"MessageEvent\", \"MessageEventInit\", \"MessagePort\", \"MidiAccess\", \"MidiConnectionEvent\", \"MidiConnectionEventInit\", \"MidiInput\", \"MidiInputMap\", \"MidiMessageEvent\", \"MidiMessageEventInit\", \"MidiOptions\", \"MidiOutput\", \"MidiOutputMap\", \"MidiPort\", \"MidiPortConnectionState\", \"MidiPortDeviceState\", \"MidiPortType\", \"MimeType\", \"MimeTypeArray\", \"MouseEvent\", \"MouseEventInit\", \"MouseScrollEvent\", \"MozDebug\", \"MutationEvent\", \"MutationObserver\", \"MutationObserverInit\", \"MutationObservingInfo\", \"MutationRecord\", \"NamedNodeMap\", \"NativeOsFileReadOptions\", \"NativeOsFileWriteAtomicOptions\", \"NavigationType\", \"Navigator\", \"NavigatorAutomationInformation\", \"NavigatorUaBrandVersion\", \"NavigatorUaData\", \"NetworkCommandOptions\", \"NetworkInformation\", \"NetworkResultOptions\", \"Node\", \"NodeFilter\", \"NodeIterator\", \"NodeList\", \"Notification\", \"NotificationAction\", \"NotificationDirection\", \"NotificationEvent\", \"NotificationEventInit\", \"NotificationOptions\", \"NotificationPermission\", \"ObserverCallback\", \"OesElementIndexUint\", \"OesStandardDerivatives\", \"OesTextureFloat\", \"OesTextureFloatLinear\", \"OesTextureHalfFloat\", \"OesTextureHalfFloatLinear\", \"OesVertexArrayObject\", \"OfflineAudioCompletionEvent\", \"OfflineAudioCompletionEventInit\", \"OfflineAudioContext\", \"OfflineAudioContextOptions\", \"OfflineResourceList\", \"OffscreenCanvas\", \"OffscreenCanvasRenderingContext2d\", \"OpenFilePickerOptions\", \"OpenWindowEventDetail\", \"OptionalEffectTiming\", \"OrientationLockType\", \"OrientationType\", \"OscillatorNode\", \"OscillatorOptions\", \"OscillatorType\", \"OverSampleType\", \"OvrMultiview2\", \"PageTransitionEvent\", \"PageTransitionEventInit\", \"PaintRequest\", \"PaintRequestList\", \"PaintWorkletGlobalScope\", \"PannerNode\", \"PannerOptions\", \"PanningModelType\", \"ParityType\", \"Path2d\", \"PaymentAddress\", \"PaymentComplete\", \"PaymentMethodChangeEvent\", \"PaymentMethodChangeEventInit\", \"PaymentRequestUpdateEvent\", \"PaymentRequestUpdateEventInit\", \"PaymentResponse\", \"Pbkdf2Params\", \"PcImplIceConnectionState\", \"PcImplIceGatheringState\", \"PcImplSignalingState\", \"PcObserverStateType\", \"Performance\", \"PerformanceEntry\", \"PerformanceEntryEventInit\", \"PerformanceEntryFilterOptions\", \"PerformanceMark\", \"PerformanceMeasure\", \"PerformanceNavigation\", \"PerformanceNavigationTiming\", \"PerformanceObserver\", \"PerformanceObserverEntryList\", \"PerformanceObserverInit\", \"PerformanceResourceTiming\", \"PerformanceServerTiming\", \"PerformanceTiming\", \"PeriodicWave\", \"PeriodicWaveConstraints\", \"PeriodicWaveOptions\", \"PermissionDescriptor\", \"PermissionName\", \"PermissionState\", \"PermissionStatus\", \"Permissions\", \"PictureInPictureEvent\", \"PictureInPictureEventInit\", \"PictureInPictureWindow\", \"PlaneLayout\", \"PlaybackDirection\", \"Plugin\", \"PluginArray\", \"PluginCrashedEventInit\", \"PointerEvent\", \"PointerEventInit\", \"PopStateEvent\", \"PopStateEventInit\", \"PopupBlockedEvent\", \"PopupBlockedEventInit\", \"Position\", \"PositionAlignSetting\", \"PositionError\", \"PositionOptions\", \"PremultiplyAlpha\", \"Presentation\", \"PresentationAvailability\", \"PresentationConnection\", \"PresentationConnectionAvailableEvent\", \"PresentationConnectionAvailableEventInit\", \"PresentationConnectionBinaryType\", \"PresentationConnectionCloseEvent\", \"PresentationConnectionCloseEventInit\", \"PresentationConnectionClosedReason\", \"PresentationConnectionList\", \"PresentationConnectionState\", \"PresentationReceiver\", \"PresentationRequest\", \"PresentationStyle\", \"ProcessingInstruction\", \"ProfileTimelineLayerRect\", \"ProfileTimelineMarker\", \"ProfileTimelineMessagePortOperationType\", \"ProfileTimelineStackFrame\", \"ProfileTimelineWorkerOperationType\", \"ProgressEvent\", \"ProgressEventInit\", \"PromiseNativeHandler\", \"PromiseRejectionEvent\", \"PromiseRejectionEventInit\", \"PublicKeyCredential\", \"PublicKeyCredentialCreationOptions\", \"PublicKeyCredentialCreationOptionsJson\", \"PublicKeyCredentialDescriptor\", \"PublicKeyCredentialDescriptorJson\", \"PublicKeyCredentialEntity\", \"PublicKeyCredentialHints\", \"PublicKeyCredentialParameters\", \"PublicKeyCredentialRequestOptions\", \"PublicKeyCredentialRequestOptionsJson\", \"PublicKeyCredentialRpEntity\", \"PublicKeyCredentialType\", \"PublicKeyCredentialUserEntity\", \"PublicKeyCredentialUserEntityJson\", \"PushEncryptionKeyName\", \"PushEvent\", \"PushEventInit\", \"PushManager\", \"PushMessageData\", \"PushPermissionState\", \"PushSubscription\", \"PushSubscriptionInit\", \"PushSubscriptionJson\", \"PushSubscriptionKeys\", \"PushSubscriptionOptions\", \"PushSubscriptionOptionsInit\", \"QueryOptions\", \"QueuingStrategy\", \"QueuingStrategyInit\", \"RadioNodeList\", \"Range\", \"RcwnPerfStats\", \"RcwnStatus\", \"ReadableByteStreamController\", \"ReadableStream\", \"ReadableStreamByobReader\", \"ReadableStreamByobRequest\", \"ReadableStreamDefaultController\", \"ReadableStreamDefaultReader\", \"ReadableStreamGetReaderOptions\", \"ReadableStreamIteratorOptions\", \"ReadableStreamReadResult\", \"ReadableStreamReaderMode\", \"ReadableStreamType\", \"ReadableWritablePair\", \"RecordingState\", \"ReferrerPolicy\", \"RegisterRequest\", \"RegisterResponse\", \"RegisteredKey\", \"RegistrationOptions\", \"RegistrationResponseJson\", \"Request\", \"RequestCache\", \"RequestCredentials\", \"RequestDestination\", \"RequestDeviceOptions\", \"RequestInit\", \"RequestMediaKeySystemAccessNotification\", \"RequestMode\", \"RequestRedirect\", \"ResidentKeyRequirement\", \"ResizeObserver\", \"ResizeObserverBoxOptions\", \"ResizeObserverEntry\", \"ResizeObserverOptions\", \"ResizeObserverSize\", \"ResizeQuality\", \"Response\", \"ResponseInit\", \"ResponseType\", \"RsaHashedImportParams\", \"RsaOaepParams\", \"RsaOtherPrimesInfo\", \"RsaPssParams\", \"RtcAnswerOptions\", \"RtcBundlePolicy\", \"RtcCertificate\", \"RtcCertificateExpiration\", \"RtcCodecStats\", \"RtcConfiguration\", \"RtcDataChannel\", \"RtcDataChannelEvent\", \"RtcDataChannelEventInit\", \"RtcDataChannelInit\", \"RtcDataChannelState\", \"RtcDataChannelType\", \"RtcDegradationPreference\", \"RtcEncodedAudioFrame\", \"RtcEncodedAudioFrameMetadata\", \"RtcEncodedAudioFrameOptions\", \"RtcEncodedVideoFrame\", \"RtcEncodedVideoFrameMetadata\", \"RtcEncodedVideoFrameOptions\", \"RtcEncodedVideoFrameType\", \"RtcFecParameters\", \"RtcIceCandidate\", \"RtcIceCandidateInit\", \"RtcIceCandidatePairStats\", \"RtcIceCandidateStats\", \"RtcIceComponentStats\", \"RtcIceConnectionState\", \"RtcIceCredentialType\", \"RtcIceGatheringState\", \"RtcIceServer\", \"RtcIceTransportPolicy\", \"RtcIdentityAssertion\", \"RtcIdentityAssertionResult\", \"RtcIdentityProvider\", \"RtcIdentityProviderDetails\", \"RtcIdentityProviderOptions\", \"RtcIdentityProviderRegistrar\", \"RtcIdentityValidationResult\", \"RtcInboundRtpStreamStats\", \"RtcMediaStreamStats\", \"RtcMediaStreamTrackStats\", \"RtcOfferAnswerOptions\", \"RtcOfferOptions\", \"RtcOutboundRtpStreamStats\", \"RtcPeerConnection\", \"RtcPeerConnectionIceErrorEvent\", \"RtcPeerConnectionIceEvent\", \"RtcPeerConnectionIceEventInit\", \"RtcPeerConnectionState\", \"RtcPriorityType\", \"RtcRtcpParameters\", \"RtcRtpCapabilities\", \"RtcRtpCodecCapability\", \"RtcRtpCodecParameters\", \"RtcRtpContributingSource\", \"RtcRtpEncodingParameters\", \"RtcRtpHeaderExtensionCapability\", \"RtcRtpHeaderExtensionParameters\", \"RtcRtpParameters\", \"RtcRtpReceiver\", \"RtcRtpScriptTransform\", \"RtcRtpScriptTransformer\", \"RtcRtpSender\", \"RtcRtpSourceEntry\", \"RtcRtpSourceEntryType\", \"RtcRtpSynchronizationSource\", \"RtcRtpTransceiver\", \"RtcRtpTransceiverDirection\", \"RtcRtpTransceiverInit\", \"RtcRtxParameters\", \"RtcSdpType\", \"RtcSessionDescription\", \"RtcSessionDescriptionInit\", \"RtcSignalingState\", \"RtcStats\", \"RtcStatsIceCandidatePairState\", \"RtcStatsIceCandidateType\", \"RtcStatsReport\", \"RtcStatsReportInternal\", \"RtcStatsType\", \"RtcTrackEvent\", \"RtcTrackEventInit\", \"RtcTransformEvent\", \"RtcTransportStats\", \"RtcdtmfSender\", \"RtcdtmfToneChangeEvent\", \"RtcdtmfToneChangeEventInit\", \"RtcrtpContributingSourceStats\", \"RtcrtpStreamStats\", \"SFrameTransform\", \"SFrameTransformErrorEvent\", \"SFrameTransformErrorEventInit\", \"SFrameTransformErrorEventType\", \"SFrameTransformOptions\", \"SFrameTransformRole\", \"SaveFilePickerOptions\", \"Scheduler\", \"SchedulerPostTaskOptions\", \"Scheduling\", \"Screen\", \"ScreenColorGamut\", \"ScreenLuminance\", \"ScreenOrientation\", \"ScriptProcessorNode\", \"ScrollAreaEvent\", \"ScrollBehavior\", \"ScrollBoxObject\", \"ScrollIntoViewOptions\", \"ScrollLogicalPosition\", \"ScrollOptions\", \"ScrollRestoration\", \"ScrollSetting\", \"ScrollState\", \"ScrollToOptions\", \"ScrollViewChangeEventInit\", \"SecurityPolicyViolationEvent\", \"SecurityPolicyViolationEventDisposition\", \"SecurityPolicyViolationEventInit\", \"Selection\", \"SelectionMode\", \"Serial\", \"SerialInputSignals\", \"SerialOptions\", \"SerialOutputSignals\", \"SerialPort\", \"SerialPortFilter\", \"SerialPortInfo\", \"SerialPortRequestOptions\", \"ServerSocketOptions\", \"ServiceWorker\", \"ServiceWorkerContainer\", \"ServiceWorkerGlobalScope\", \"ServiceWorkerRegistration\", \"ServiceWorkerState\", \"ServiceWorkerUpdateViaCache\", \"ShadowRoot\", \"ShadowRootInit\", \"ShadowRootMode\", \"ShareData\", \"SharedWorker\", \"SharedWorkerGlobalScope\", \"SignResponse\", \"SocketElement\", \"SocketOptions\", \"SocketReadyState\", \"SocketsDict\", \"SourceBuffer\", \"SourceBufferAppendMode\", \"SourceBufferList\", \"SpeechGrammar\", \"SpeechGrammarList\", \"SpeechRecognition\", \"SpeechRecognitionAlternative\", \"SpeechRecognitionError\", \"SpeechRecognitionErrorCode\", \"SpeechRecognitionErrorInit\", \"SpeechRecognitionEvent\", \"SpeechRecognitionEventInit\", \"SpeechRecognitionResult\", \"SpeechRecognitionResultList\", \"SpeechSynthesis\", \"SpeechSynthesisErrorCode\", \"SpeechSynthesisErrorEvent\", \"SpeechSynthesisErrorEventInit\", \"SpeechSynthesisEvent\", \"SpeechSynthesisEventInit\", \"SpeechSynthesisUtterance\", \"SpeechSynthesisVoice\", \"StereoPannerNode\", \"StereoPannerOptions\", \"Storage\", \"StorageEstimate\", \"StorageEvent\", \"StorageEventInit\", \"StorageManager\", \"StorageType\", \"StreamPipeOptions\", \"StyleRuleChangeEventInit\", \"StyleSheet\", \"StyleSheetApplicableStateChangeEventInit\", \"StyleSheetChangeEventInit\", \"StyleSheetList\", \"SubmitEvent\", \"SubmitEventInit\", \"SubtleCrypto\", \"SupportedType\", \"SvcOutputMetadata\", \"SvgAngle\", \"SvgAnimateElement\", \"SvgAnimateMotionElement\", \"SvgAnimateTransformElement\", \"SvgAnimatedAngle\", \"SvgAnimatedBoolean\", \"SvgAnimatedEnumeration\", \"SvgAnimatedInteger\", \"SvgAnimatedLength\", \"SvgAnimatedLengthList\", \"SvgAnimatedNumber\", \"SvgAnimatedNumberList\", \"SvgAnimatedPreserveAspectRatio\", \"SvgAnimatedRect\", \"SvgAnimatedString\", \"SvgAnimatedTransformList\", \"SvgAnimationElement\", \"SvgBoundingBoxOptions\", \"SvgCircleElement\", \"SvgClipPathElement\", \"SvgComponentTransferFunctionElement\", \"SvgDefsElement\", \"SvgDescElement\", \"SvgElement\", \"SvgEllipseElement\", \"SvgFilterElement\", \"SvgForeignObjectElement\", \"SvgGeometryElement\", \"SvgGradientElement\", \"SvgGraphicsElement\", \"SvgImageElement\", \"SvgLength\", \"SvgLengthList\", \"SvgLineElement\", \"SvgLinearGradientElement\", \"SvgMarkerElement\", \"SvgMaskElement\", \"SvgMatrix\", \"SvgMetadataElement\", \"SvgNumber\", \"SvgNumberList\", \"SvgPathElement\", \"SvgPathSeg\", \"SvgPathSegArcAbs\", \"SvgPathSegArcRel\", \"SvgPathSegClosePath\", \"SvgPathSegCurvetoCubicAbs\", \"SvgPathSegCurvetoCubicRel\", \"SvgPathSegCurvetoCubicSmoothAbs\", \"SvgPathSegCurvetoCubicSmoothRel\", \"SvgPathSegCurvetoQuadraticAbs\", \"SvgPathSegCurvetoQuadraticRel\", \"SvgPathSegCurvetoQuadraticSmoothAbs\", \"SvgPathSegCurvetoQuadraticSmoothRel\", \"SvgPathSegLinetoAbs\", \"SvgPathSegLinetoHorizontalAbs\", \"SvgPathSegLinetoHorizontalRel\", \"SvgPathSegLinetoRel\", \"SvgPathSegLinetoVerticalAbs\", \"SvgPathSegLinetoVerticalRel\", \"SvgPathSegList\", \"SvgPathSegMovetoAbs\", \"SvgPathSegMovetoRel\", \"SvgPatternElement\", \"SvgPoint\", \"SvgPointList\", \"SvgPolygonElement\", \"SvgPolylineElement\", \"SvgPreserveAspectRatio\", \"SvgRadialGradientElement\", \"SvgRect\", \"SvgRectElement\", \"SvgScriptElement\", \"SvgSetElement\", \"SvgStopElement\", \"SvgStringList\", \"SvgStyleElement\", \"SvgSwitchElement\", \"SvgSymbolElement\", \"SvgTextContentElement\", \"SvgTextElement\", \"SvgTextPathElement\", \"SvgTextPositioningElement\", \"SvgTitleElement\", \"SvgTransform\", \"SvgTransformList\", \"SvgUnitTypes\", \"SvgUseElement\", \"SvgViewElement\", \"SvgZoomAndPan\", \"SvgaElement\", \"SvgfeBlendElement\", \"SvgfeColorMatrixElement\", \"SvgfeComponentTransferElement\", \"SvgfeCompositeElement\", \"SvgfeConvolveMatrixElement\", \"SvgfeDiffuseLightingElement\", \"SvgfeDisplacementMapElement\", \"SvgfeDistantLightElement\", \"SvgfeDropShadowElement\", \"SvgfeFloodElement\", \"SvgfeFuncAElement\", \"SvgfeFuncBElement\", \"SvgfeFuncGElement\", \"SvgfeFuncRElement\", \"SvgfeGaussianBlurElement\", \"SvgfeImageElement\", \"SvgfeMergeElement\", \"SvgfeMergeNodeElement\", \"SvgfeMorphologyElement\", \"SvgfeOffsetElement\", \"SvgfePointLightElement\", \"SvgfeSpecularLightingElement\", \"SvgfeSpotLightElement\", \"SvgfeTileElement\", \"SvgfeTurbulenceElement\", \"SvggElement\", \"SvgmPathElement\", \"SvgsvgElement\", \"SvgtSpanElement\", \"TaskController\", \"TaskControllerInit\", \"TaskPriority\", \"TaskPriorityChangeEvent\", \"TaskPriorityChangeEventInit\", \"TaskSignal\", \"TaskSignalAnyInit\", \"TcpReadyState\", \"TcpServerSocket\", \"TcpServerSocketEvent\", \"TcpServerSocketEventInit\", \"TcpSocket\", \"TcpSocketBinaryType\", \"TcpSocketErrorEvent\", \"TcpSocketErrorEventInit\", \"TcpSocketEvent\", \"TcpSocketEventInit\", \"Text\", \"TextDecodeOptions\", \"TextDecoder\", \"TextDecoderOptions\", \"TextEncoder\", \"TextMetrics\", \"TextTrack\", \"TextTrackCue\", \"TextTrackCueList\", \"TextTrackKind\", \"TextTrackList\", \"TextTrackMode\", \"TimeEvent\", \"TimeRanges\", \"ToggleEvent\", \"ToggleEventInit\", \"TokenBinding\", \"TokenBindingStatus\", \"Touch\", \"TouchEvent\", \"TouchEventInit\", \"TouchInit\", \"TouchList\", \"TrackEvent\", \"TrackEventInit\", \"TransformStream\", \"TransformStreamDefaultController\", \"Transformer\", \"TransitionEvent\", \"TransitionEventInit\", \"Transport\", \"TreeBoxObject\", \"TreeCellInfo\", \"TreeView\", \"TreeWalker\", \"U2f\", \"U2fClientData\", \"ULongRange\", \"UaDataValues\", \"UaLowEntropyJson\", \"UdpMessageEventInit\", \"UdpOptions\", \"UiEvent\", \"UiEventInit\", \"UnderlyingSink\", \"UnderlyingSource\", \"Url\", \"UrlSearchParams\", \"Usb\", \"UsbAlternateInterface\", \"UsbConfiguration\", \"UsbConnectionEvent\", \"UsbConnectionEventInit\", \"UsbControlTransferParameters\", \"UsbDevice\", \"UsbDeviceFilter\", \"UsbDeviceRequestOptions\", \"UsbDirection\", \"UsbEndpoint\", \"UsbEndpointType\", \"UsbInTransferResult\", \"UsbInterface\", \"UsbIsochronousInTransferPacket\", \"UsbIsochronousInTransferResult\", \"UsbIsochronousOutTransferPacket\", \"UsbIsochronousOutTransferResult\", \"UsbOutTransferResult\", \"UsbPermissionDescriptor\", \"UsbPermissionResult\", \"UsbPermissionStorage\", \"UsbRecipient\", \"UsbRequestType\", \"UsbTransferStatus\", \"UserActivation\", \"UserProximityEvent\", \"UserProximityEventInit\", \"UserVerificationRequirement\", \"ValidityState\", \"ValueEvent\", \"ValueEventInit\", \"VideoColorPrimaries\", \"VideoColorSpace\", \"VideoColorSpaceInit\", \"VideoConfiguration\", \"VideoDecoder\", \"VideoDecoderConfig\", \"VideoDecoderInit\", \"VideoDecoderSupport\", \"VideoEncoder\", \"VideoEncoderConfig\", \"VideoEncoderEncodeOptions\", \"VideoEncoderInit\", \"VideoEncoderSupport\", \"VideoFacingModeEnum\", \"VideoFrame\", \"VideoFrameBufferInit\", \"VideoFrameCopyToOptions\", \"VideoFrameInit\", \"VideoMatrixCoefficients\", \"VideoPixelFormat\", \"VideoPlaybackQuality\", \"VideoStreamTrack\", \"VideoTrack\", \"VideoTrackList\", \"VideoTransferCharacteristics\", \"ViewTransition\", \"VisibilityState\", \"VisualViewport\", \"VoidCallback\", \"VrDisplay\", \"VrDisplayCapabilities\", \"VrEye\", \"VrEyeParameters\", \"VrFieldOfView\", \"VrFrameData\", \"VrLayer\", \"VrMockController\", \"VrMockDisplay\", \"VrPose\", \"VrServiceTest\", \"VrStageParameters\", \"VrSubmitFrameResult\", \"VttCue\", \"VttRegion\", \"WakeLock\", \"WakeLockSentinel\", \"WakeLockType\", \"WatchAdvertisementsOptions\", \"WaveShaperNode\", \"WaveShaperOptions\", \"WebGl2RenderingContext\", \"WebGlActiveInfo\", \"WebGlBuffer\", \"WebGlContextAttributes\", \"WebGlContextEvent\", \"WebGlContextEventInit\", \"WebGlFramebuffer\", \"WebGlPowerPreference\", \"WebGlProgram\", \"WebGlQuery\", \"WebGlRenderbuffer\", \"WebGlRenderingContext\", \"WebGlSampler\", \"WebGlShader\", \"WebGlShaderPrecisionFormat\", \"WebGlSync\", \"WebGlTexture\", \"WebGlTransformFeedback\", \"WebGlUniformLocation\", \"WebGlVertexArrayObject\", \"WebKitCssMatrix\", \"WebSocket\", \"WebSocketDict\", \"WebSocketElement\", \"WebTransport\", \"WebTransportBidirectionalStream\", \"WebTransportCloseInfo\", \"WebTransportCongestionControl\", \"WebTransportDatagramDuplexStream\", \"WebTransportDatagramStats\", \"WebTransportError\", \"WebTransportErrorOptions\", \"WebTransportErrorSource\", \"WebTransportHash\", \"WebTransportOptions\", \"WebTransportReceiveStream\", \"WebTransportReceiveStreamStats\", \"WebTransportReliabilityMode\", \"WebTransportSendStream\", \"WebTransportSendStreamOptions\", \"WebTransportSendStreamStats\", \"WebTransportStats\", \"WebglColorBufferFloat\", \"WebglCompressedTextureAstc\", \"WebglCompressedTextureAtc\", \"WebglCompressedTextureEtc\", \"WebglCompressedTextureEtc1\", \"WebglCompressedTexturePvrtc\", \"WebglCompressedTextureS3tc\", \"WebglCompressedTextureS3tcSrgb\", \"WebglDebugRendererInfo\", \"WebglDebugShaders\", \"WebglDepthTexture\", \"WebglDrawBuffers\", \"WebglLoseContext\", \"WebglMultiDraw\", \"WellKnownDirectory\", \"WgslLanguageFeatures\", \"WheelEvent\", \"WheelEventInit\", \"WidevineCdmManifest\", \"Window\", \"WindowClient\", \"Worker\", \"WorkerDebuggerGlobalScope\", \"WorkerGlobalScope\", \"WorkerLocation\", \"WorkerNavigator\", \"WorkerOptions\", \"WorkerType\", \"Worklet\", \"WorkletGlobalScope\", \"WorkletOptions\", \"WritableStream\", \"WritableStreamDefaultController\", \"WritableStreamDefaultWriter\", \"WriteCommandType\", \"WriteParams\", \"XPathExpression\", \"XPathNsResolver\", \"XPathResult\", \"XmlDocument\", \"XmlHttpRequest\", \"XmlHttpRequestEventTarget\", \"XmlHttpRequestResponseType\", \"XmlHttpRequestUpload\", \"XmlSerializer\", \"XrBoundedReferenceSpace\", \"XrEye\", \"XrFrame\", \"XrHand\", \"XrHandJoint\", \"XrHandedness\", \"XrInputSource\", \"XrInputSourceArray\", \"XrInputSourceEvent\", \"XrInputSourceEventInit\", \"XrInputSourcesChangeEvent\", \"XrInputSourcesChangeEventInit\", \"XrJointPose\", \"XrJointSpace\", \"XrLayer\", \"XrPermissionDescriptor\", \"XrPermissionStatus\", \"XrPose\", \"XrReferenceSpace\", \"XrReferenceSpaceEvent\", \"XrReferenceSpaceEventInit\", \"XrReferenceSpaceType\", \"XrRenderState\", \"XrRenderStateInit\", \"XrRigidTransform\", \"XrSession\", \"XrSessionEvent\", \"XrSessionEventInit\", \"XrSessionInit\", \"XrSessionMode\", \"XrSessionSupportedPermissionDescriptor\", \"XrSpace\", \"XrSystem\", \"XrTargetRayMode\", \"XrView\", \"XrViewerPose\", \"XrViewport\", \"XrVisibilityState\", \"XrWebGlLayer\", \"XrWebGlLayerInit\", \"XsltProcessor\", \"console\", \"css\", \"default\", \"gpu_buffer_usage\", \"gpu_color_write\", \"gpu_map_mode\", \"gpu_shader_stage\", \"gpu_texture_usage\", \"std\"]","target":13536520916013249019,"profile":702178222214728192,"path":12813310343330654164,"deps":[[14523432694356582846,"wasm_bindgen",false,4159698066871921905],[18424040094017176842,"js_sys",false,2092066540925554396]],"local":[{"CheckDepInfo":{"dep_info":"wasm32-unknown-unknown/release/.fingerprint/web-sys-c4f1850708373063/dep-lib-web_sys","checksum":false}}],"rustflags":[],"config":2069994364910194474,"compile_kind":14682669768258224367} \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/output b/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/output new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/root-output b/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/root-output new file mode 100755 index 0000000..328f80b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/stderr b/.old2/target/wasm32-unknown-unknown/release/build/pulldown-cmark-d753092a02af0b8e/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs new file mode 100755 index 0000000..ed2927e --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs @@ -0,0 +1,6 @@ +#[doc(hidden)] +pub mod __private228 { + #[doc(hidden)] + pub use crate::private::*; +} +use serde_core::__private228 as serde_core_private; diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/output b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/output new file mode 100755 index 0000000..854cb53 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/output @@ -0,0 +1,13 @@ +cargo:rerun-if-changed=build.rs +cargo:rustc-cfg=if_docsrs_then_no_serde_core +cargo:rustc-check-cfg=cfg(feature, values("result")) +cargo:rustc-check-cfg=cfg(if_docsrs_then_no_serde_core) +cargo:rustc-check-cfg=cfg(no_core_cstr) +cargo:rustc-check-cfg=cfg(no_core_error) +cargo:rustc-check-cfg=cfg(no_core_net) +cargo:rustc-check-cfg=cfg(no_core_num_saturating) +cargo:rustc-check-cfg=cfg(no_diagnostic_namespace) +cargo:rustc-check-cfg=cfg(no_serde_derive) +cargo:rustc-check-cfg=cfg(no_std_atomic) +cargo:rustc-check-cfg=cfg(no_std_atomic64) +cargo:rustc-check-cfg=cfg(no_target_has_atomic) diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/root-output b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/root-output new file mode 100755 index 0000000..e1543c4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/stderr b/.old2/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs new file mode 100755 index 0000000..08f232b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs @@ -0,0 +1,5 @@ +#[doc(hidden)] +pub mod __private228 { + #[doc(hidden)] + pub use crate::private::*; +} diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/output b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/output new file mode 100755 index 0000000..98a6653 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/output @@ -0,0 +1,11 @@ +cargo:rerun-if-changed=build.rs +cargo:rustc-check-cfg=cfg(if_docsrs_then_no_serde_core) +cargo:rustc-check-cfg=cfg(no_core_cstr) +cargo:rustc-check-cfg=cfg(no_core_error) +cargo:rustc-check-cfg=cfg(no_core_net) +cargo:rustc-check-cfg=cfg(no_core_num_saturating) +cargo:rustc-check-cfg=cfg(no_diagnostic_namespace) +cargo:rustc-check-cfg=cfg(no_serde_derive) +cargo:rustc-check-cfg=cfg(no_std_atomic) +cargo:rustc-check-cfg=cfg(no_std_atomic64) +cargo:rustc-check-cfg=cfg(no_target_has_atomic) diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/root-output b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/root-output new file mode 100755 index 0000000..ad68c3d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/stderr b/.old2/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/output b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/output new file mode 100755 index 0000000..3201077 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/output @@ -0,0 +1,3 @@ +cargo:rerun-if-changed=build.rs +cargo:rustc-check-cfg=cfg(fast_arithmetic, values("32", "64")) +cargo:rustc-cfg=fast_arithmetic="64" diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/root-output b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/root-output new file mode 100755 index 0000000..5e10d8a --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/stderr b/.old2/target/wasm32-unknown-unknown/release/build/serde_json-9d9a51745b9bd8aa/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/output b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/output new file mode 100755 index 0000000..3b23df4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/output @@ -0,0 +1,4 @@ +cargo:rerun-if-changed=build/probe.rs +cargo:rustc-check-cfg=cfg(error_generic_member_access) +cargo:rustc-check-cfg=cfg(thiserror_nightly_testing) +cargo:rerun-if-env-changed=RUSTC_BOOTSTRAP diff --git a/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/root-output b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/root-output new file mode 100755 index 0000000..cbbe712 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/stderr b/.old2/target/wasm32-unknown-unknown/release/build/thiserror-da92f00084c69659/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/output b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/output new file mode 100755 index 0000000..0896b64 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/output @@ -0,0 +1,5 @@ +cargo:rerun-if-changed=build.rs +cargo:rustc-check-cfg=cfg(wbg_diagnostic) +cargo:rustc-cfg=wbg_diagnostic +cargo:rustc-check-cfg=cfg(wbg_reference_types) +cargo:rustc-cfg=wbg_reference_types diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/root-output b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/root-output new file mode 100755 index 0000000..8919209 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/stderr b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-1a6b10ed9fd366f1/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/invoked.timestamp b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/invoked.timestamp new file mode 100755 index 0000000..e00328d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/invoked.timestamp @@ -0,0 +1 @@ +This file has an mtime of when this was started. \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/output b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/output new file mode 100755 index 0000000..4b57138 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/output @@ -0,0 +1 @@ +cargo:rustc-env=SCHEMA_FILE_HASH=5268316563830462177 diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/root-output b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/root-output new file mode 100755 index 0000000..6ce791a --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/root-output @@ -0,0 +1 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/out \ No newline at end of file diff --git a/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/stderr b/.old2/target/wasm32-unknown-unknown/release/build/wasm-bindgen-shared-6465b65bc3a1d204/stderr new file mode 100755 index 0000000..e69de29 diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/bitflags-2ece0789b4e5dadb.d b/.old2/target/wasm32-unknown-unknown/release/deps/bitflags-2ece0789b4e5dadb.d new file mode 100755 index 0000000..da7cc24 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/bitflags-2ece0789b4e5dadb.d @@ -0,0 +1,13 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/bitflags-2ece0789b4e5dadb.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/traits.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/public.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/internal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/external.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/traits.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/public.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/internal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/external.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/traits.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/public.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/internal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/external.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/parser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/traits.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/public.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/internal.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bitflags-2.9.4/src/external.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/bytes-1fd408b36ac24e4d.d b/.old2/target/wasm32-unknown-unknown/release/deps/bytes-1fd408b36ac24e4d.d new file mode 100755 index 0000000..4b0e610 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/bytes-1fd408b36ac24e4d.d @@ -0,0 +1,24 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/bytes-1fd408b36ac24e4d.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_impl.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/chain.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/limit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/take.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/uninit_slice.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/vec_deque.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/writer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/debug.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/hex.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/loom.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_impl.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/chain.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/limit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/take.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/uninit_slice.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/vec_deque.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/writer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/debug.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/hex.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/loom.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_impl.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/chain.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/limit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/take.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/uninit_slice.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/vec_deque.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/writer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes_mut.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/debug.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/hex.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/loom.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_impl.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/buf_mut.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/chain.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/limit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/reader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/take.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/uninit_slice.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/vec_deque.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/buf/writer.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/bytes_mut.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/debug.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/fmt/hex.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-1.10.1/src/loom.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/cfg_if-67bdb0f39060c2e9.d b/.old2/target/wasm32-unknown-unknown/release/deps/cfg_if-67bdb0f39060c2e9.d new file mode 100755 index 0000000..7abf788 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/cfg_if-67bdb0f39060c2e9.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/cfg_if-67bdb0f39060c2e9.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/console_error_panic_hook-b9d45a4136eac6e0.d b/.old2/target/wasm32-unknown-unknown/release/deps/console_error_panic_hook-b9d45a4136eac6e0.d new file mode 100755 index 0000000..b9f2f49 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/console_error_panic_hook-b9d45a4136eac6e0.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/console_error_panic_hook-b9d45a4136eac6e0.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/console_error_panic_hook-0.1.7/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/console_error_panic_hook-0.1.7/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/console_error_panic_hook-0.1.7/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/console_error_panic_hook-0.1.7/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/equivalent-2be18f268db8187f.d b/.old2/target/wasm32-unknown-unknown/release/deps/equivalent-2be18f268db8187f.d new file mode 100755 index 0000000..e17dddd --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/equivalent-2be18f268db8187f.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/equivalent-2be18f268db8187f.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/fnv-f08e09094dee699d.d b/.old2/target/wasm32-unknown-unknown/release/deps/fnv-f08e09094dee699d.d new file mode 100755 index 0000000..d9ab16b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/fnv-f08e09094dee699d.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/fnv-f08e09094dee699d.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/fnv-1.0.7/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/fnv-1.0.7/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/fnv-1.0.7/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/fnv-1.0.7/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/futures_channel-4881adf2eaa56683.d b/.old2/target/wasm32-unknown-unknown/release/deps/futures_channel-4881adf2eaa56683.d new file mode 100755 index 0000000..59881dc --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/futures_channel-4881adf2eaa56683.d @@ -0,0 +1,11 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/futures_channel-4881adf2eaa56683.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lock.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/queue.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/oneshot.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lock.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/queue.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/oneshot.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lock.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/queue.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/oneshot.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/lock.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/mpsc/queue.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-channel-0.3.31/src/oneshot.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/futures_core-a37b77ecc06ed7b3.d b/.old2/target/wasm32-unknown-unknown/release/deps/futures_core-a37b77ecc06ed7b3.d new file mode 100755 index 0000000..b51a4b7 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/futures_core-a37b77ecc06ed7b3.d @@ -0,0 +1,13 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/futures_core-a37b77ecc06ed7b3.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/future.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/stream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/poll.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/atomic_waker.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/future.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/stream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/poll.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/atomic_waker.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/future.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/stream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/poll.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/atomic_waker.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/future.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/stream.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/poll.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-core-0.3.31/src/task/__internal/atomic_waker.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/futures_sink-9b9e3140b24ff159.d b/.old2/target/wasm32-unknown-unknown/release/deps/futures_sink-9b9e3140b24ff159.d new file mode 100755 index 0000000..070353f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/futures_sink-9b9e3140b24ff159.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/futures_sink-9b9e3140b24ff159.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-sink-0.3.31/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-sink-0.3.31/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-sink-0.3.31/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/futures-sink-0.3.31/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/getopts-6615679de25a9490.d b/.old2/target/wasm32-unknown-unknown/release/deps/getopts-6615679de25a9490.d new file mode 100755 index 0000000..a3ea274 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/getopts-6615679de25a9490.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/getopts-6615679de25a9490.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/getopts-0.2.24/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/getopts-0.2.24/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/getopts-0.2.24/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/getopts-0.2.24/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/gloo_net-4d251ddc06ce7a63.d b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_net-4d251ddc06ce7a63.d new file mode 100755 index 0000000..78ebe65 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_net-4d251ddc06ce7a63.d @@ -0,0 +1,18 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/gloo_net-4d251ddc06ce7a63.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/gloo_net-55ff32c147471c30.d b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_net-55ff32c147471c30.d new file mode 100755 index 0000000..a7fd342 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_net-55ff32c147471c30.d @@ -0,0 +1,18 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/gloo_net-55ff32c147471c30.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/eventsource/futures.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/headers.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/query.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/request.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/http/response.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/events.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-net-0.6.0/src/websocket/futures.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/gloo_utils-b71cd4aee5b5f500.d b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_utils-b71cd4aee5b5f500.d new file mode 100755 index 0000000..33bc35b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_utils-b71cd4aee5b5f500.d @@ -0,0 +1,10 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/gloo_utils-b71cd4aee5b5f500.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/gloo_utils-da9bdd03b808790d.d b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_utils-da9bdd03b808790d.d new file mode 100755 index 0000000..53bc8e2 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/gloo_utils-da9bdd03b808790d.d @@ -0,0 +1,10 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/gloo_utils-da9bdd03b808790d.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/errors.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/gloo-utils-0.2.0/src/format/json.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/hashbrown-335a7e6900b37f0a.d b/.old2/target/wasm32-unknown-unknown/release/deps/hashbrown-335a7e6900b37f0a.d new file mode 100755 index 0000000..04643e4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/hashbrown-335a7e6900b37f0a.d @@ -0,0 +1,22 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/hashbrown-335a7e6900b37f0a.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/bitmask.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/tag.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/hasher.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/alloc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/external_trait_impls/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/scopeguard.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/set.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/generic.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/bitmask.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/tag.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/hasher.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/alloc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/external_trait_impls/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/scopeguard.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/set.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/generic.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/bitmask.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/tag.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/hasher.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/alloc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/external_trait_impls/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/scopeguard.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/set.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/generic.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/bitmask.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/tag.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/hasher.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/raw/alloc.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/util.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/external_trait_impls/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/map.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/scopeguard.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/set.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/table.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.16.0/src/control/group/generic.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/http-a029247c2e918b11.d b/.old2/target/wasm32-unknown-unknown/release/deps/http-a029247c2e918b11.d new file mode 100755 index 0000000..344bf5f --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/http-a029247c2e918b11.d @@ -0,0 +1,26 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/http-a029247c2e918b11.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/convert.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/value.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/method.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/status.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/authority.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/builder.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/port.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/scheme.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/version.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/byte_str.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/extensions.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/convert.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/value.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/method.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/status.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/authority.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/builder.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/port.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/scheme.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/version.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/byte_str.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/extensions.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/convert.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/value.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/method.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/status.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/authority.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/builder.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/port.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/scheme.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/version.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/byte_str.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/extensions.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/convert.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/map.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/name.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/header/value.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/method.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/request.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/response.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/status.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/authority.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/builder.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/path.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/port.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/uri/scheme.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/version.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/byte_str.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/http-1.3.1/src/extensions.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/indexmap-e484e6ad7c1eea19.d b/.old2/target/wasm32-unknown-unknown/release/deps/indexmap-e484e6ad7c1eea19.d new file mode 100755 index 0000000..fa1b536 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/indexmap-e484e6ad7c1eea19.d @@ -0,0 +1,22 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/indexmap-e484e6ad7c1eea19.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/arbitrary.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/entry.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/extract.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/raw_entry_v1.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/mutable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/slice.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/mutable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/slice.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/arbitrary.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/entry.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/extract.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/raw_entry_v1.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/mutable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/slice.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/mutable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/slice.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/arbitrary.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/entry.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/extract.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/raw_entry_v1.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/mutable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/slice.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/mutable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/slice.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/arbitrary.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/util.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/entry.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/extract.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/core/raw_entry_v1.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/mutable.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/map/slice.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/mutable.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.12.0/src/set/slice.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/itoa-dbc596a1de417dad.d b/.old2/target/wasm32-unknown-unknown/release/deps/itoa-dbc596a1de417dad.d new file mode 100755 index 0000000..7b47fb3 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/itoa-dbc596a1de417dad.d @@ -0,0 +1,8 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/itoa-dbc596a1de417dad.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/udiv128.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/udiv128.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/udiv128.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.15/src/udiv128.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/js_sys-8227661606420a91.d b/.old2/target/wasm32-unknown-unknown/release/deps/js_sys-8227661606420a91.d new file mode 100755 index 0000000..96b0708 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/js_sys-8227661606420a91.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/js_sys-8227661606420a91.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/js-sys-0.3.81/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/js-sys-0.3.81/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/js-sys-0.3.81/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/js-sys-0.3.81/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rlib new file mode 100755 index 0000000..54aae12 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rmeta new file mode 100755 index 0000000..8021c08 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libbitflags-2ece0789b4e5dadb.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rlib new file mode 100755 index 0000000..43a2736 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rmeta new file mode 100755 index 0000000..ecc5f04 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libbytes-1fd408b36ac24e4d.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rlib new file mode 100755 index 0000000..65d5407 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rmeta new file mode 100755 index 0000000..e8c8e09 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libcfg_if-67bdb0f39060c2e9.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rlib new file mode 100755 index 0000000..9c1eac2 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rmeta new file mode 100755 index 0000000..283350e Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libconsole_error_panic_hook-b9d45a4136eac6e0.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rlib new file mode 100755 index 0000000..8ed7d40 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rmeta new file mode 100755 index 0000000..d628221 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libequivalent-2be18f268db8187f.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rlib new file mode 100755 index 0000000..c52f711 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rmeta new file mode 100755 index 0000000..8438d52 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfnv-f08e09094dee699d.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rlib new file mode 100755 index 0000000..d4821e2 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rmeta new file mode 100755 index 0000000..ebf6381 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_channel-4881adf2eaa56683.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rlib new file mode 100755 index 0000000..22cc3ec Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rmeta new file mode 100755 index 0000000..c9085e3 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_core-a37b77ecc06ed7b3.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rlib new file mode 100755 index 0000000..8faf134 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rmeta new file mode 100755 index 0000000..f6013f6 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libfutures_sink-9b9e3140b24ff159.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rlib new file mode 100755 index 0000000..80648b7 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rmeta new file mode 100755 index 0000000..cafd2be Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgetopts-6615679de25a9490.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rlib new file mode 100755 index 0000000..d3670e9 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rmeta new file mode 100755 index 0000000..222a877 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-4d251ddc06ce7a63.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rlib new file mode 100755 index 0000000..183beeb Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rmeta new file mode 100755 index 0000000..91b8b45 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_net-55ff32c147471c30.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rlib new file mode 100755 index 0000000..821eccf Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rmeta new file mode 100755 index 0000000..b6981b3 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-b71cd4aee5b5f500.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rlib new file mode 100755 index 0000000..10bbd70 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rmeta new file mode 100755 index 0000000..14cc059 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libgloo_utils-da9bdd03b808790d.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rlib new file mode 100755 index 0000000..963d601 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rmeta new file mode 100755 index 0000000..f6346ff Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libhashbrown-335a7e6900b37f0a.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rlib new file mode 100755 index 0000000..6eae6d9 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rmeta new file mode 100755 index 0000000..6f8bc1c Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libhttp-a029247c2e918b11.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rlib new file mode 100755 index 0000000..8475fe4 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rmeta new file mode 100755 index 0000000..42ef55b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libindexmap-e484e6ad7c1eea19.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rlib new file mode 100755 index 0000000..deab870 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rmeta new file mode 100755 index 0000000..230c5da Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libitoa-dbc596a1de417dad.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rlib new file mode 100755 index 0000000..b6a8856 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rmeta new file mode 100755 index 0000000..d5f5abc Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libjs_sys-8227661606420a91.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rlib new file mode 100755 index 0000000..23e16d8 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rmeta new file mode 100755 index 0000000..6b53f31 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rlib new file mode 100755 index 0000000..d20efff Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rmeta new file mode 100755 index 0000000..261d527 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rlib new file mode 100755 index 0000000..0eacfa8 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rmeta new file mode 100755 index 0000000..4e81ee6 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rlib new file mode 100755 index 0000000..fb49150 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rmeta new file mode 100755 index 0000000..b1951e4 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rlib new file mode 100755 index 0000000..6945ba6 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rmeta new file mode 100755 index 0000000..ae7012b Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rlib new file mode 100755 index 0000000..9ddd812 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rmeta new file mode 100755 index 0000000..a84f4ee Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rlib new file mode 100755 index 0000000..b17742f Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rmeta new file mode 100755 index 0000000..e49a87c Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rlib new file mode 100755 index 0000000..4edc681 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rmeta new file mode 100755 index 0000000..2cdd388 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rlib new file mode 100755 index 0000000..72255e9 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rmeta new file mode 100755 index 0000000..5bfddc8 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rlib new file mode 100755 index 0000000..3dd728e Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rmeta new file mode 100755 index 0000000..81e6e32 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rlib new file mode 100755 index 0000000..96411ad Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rmeta new file mode 100755 index 0000000..0ee8c70 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rlib new file mode 100755 index 0000000..857ccad Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rmeta new file mode 100755 index 0000000..a10e8d1 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rlib new file mode 100755 index 0000000..21d5b2d Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rmeta new file mode 100755 index 0000000..d474348 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rlib new file mode 100755 index 0000000..003463c Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rmeta new file mode 100755 index 0000000..551fbf5 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rlib new file mode 100755 index 0000000..460ad4a Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rmeta new file mode 100755 index 0000000..2729eeb Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rlib new file mode 100755 index 0000000..38c46ad Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rmeta new file mode 100755 index 0000000..180b0e9 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rlib new file mode 100755 index 0000000..1bae384 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rmeta new file mode 100755 index 0000000..17d8693 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rlib new file mode 100755 index 0000000..be51e2c Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rmeta new file mode 100755 index 0000000..eda93ff Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rlib new file mode 100755 index 0000000..08482cd Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rmeta new file mode 100755 index 0000000..b678462 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rlib new file mode 100755 index 0000000..21428b7 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rmeta new file mode 100755 index 0000000..eeb6489 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rlib b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rlib new file mode 100755 index 0000000..bd909a5 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rlib differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rmeta b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rmeta new file mode 100755 index 0000000..92c02a5 Binary files /dev/null and b/.old2/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rmeta differ diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/memchr-3021f628baf09828.d b/.old2/target/wasm32-unknown-unknown/release/deps/memchr-3021f628baf09828.d new file mode 100755 index 0000000..b87e2c0 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/memchr-3021f628baf09828.d @@ -0,0 +1,25 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/memchr-3021f628baf09828.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/default_rank.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/rabinkarp.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/shiftor.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/twoway.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/packedpair.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/cow.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/searcher.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/vector.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/default_rank.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/rabinkarp.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/shiftor.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/twoway.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/packedpair.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/cow.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/searcher.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/vector.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libmemchr-3021f628baf09828.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/default_rank.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/rabinkarp.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/shiftor.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/twoway.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/packedpair.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/cow.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/ext.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memchr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/searcher.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/vector.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/memchr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/packedpair/default_rank.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/rabinkarp.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/shiftor.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/all/twoway.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/memchr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/arch/generic/packedpair.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/cow.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/ext.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memchr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/memmem/searcher.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/memchr-2.7.6/src/vector.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/once_cell-38e77cfe04f7af5f.d b/.old2/target/wasm32-unknown-unknown/release/deps/once_cell-38e77cfe04f7af5f.d new file mode 100755 index 0000000..ce5d670 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/once_cell-38e77cfe04f7af5f.d @@ -0,0 +1,9 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/once_cell-38e77cfe04f7af5f.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/imp_std.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/race.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/imp_std.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/race.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libonce_cell-38e77cfe04f7af5f.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/imp_std.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/race.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/imp_std.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/race.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/pin_project-2ab532b3d4770f62.d b/.old2/target/wasm32-unknown-unknown/release/deps/pin_project-2ab532b3d4770f62.d new file mode 100755 index 0000000..e520083 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/pin_project-2ab532b3d4770f62.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/pin_project-2ab532b3d4770f62.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-1.1.10/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-1.1.10/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libpin_project-2ab532b3d4770f62.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-1.1.10/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pin-project-1.1.10/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/pulldown_cmark-b8b27440810a2614.d b/.old2/target/wasm32-unknown-unknown/release/deps/pulldown_cmark-b8b27440810a2614.d new file mode 100755 index 0000000..97bde20 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/pulldown_cmark-b8b27440810a2614.d @@ -0,0 +1,17 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/pulldown_cmark-b8b27440810a2614.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/html.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/entities.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/firstpass.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/linklabel.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/puncttable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/scanners.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/strings.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/tree.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/html.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/entities.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/firstpass.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/linklabel.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/puncttable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/scanners.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/strings.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/tree.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark-b8b27440810a2614.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/html.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/entities.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/firstpass.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/linklabel.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/parse.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/puncttable.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/scanners.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/strings.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/tree.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/html.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/utils.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/entities.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/firstpass.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/linklabel.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/parse.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/puncttable.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/scanners.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/strings.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-0.10.3/src/tree.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/pulldown_cmark_escape-920313e0da838fe4.d b/.old2/target/wasm32-unknown-unknown/release/deps/pulldown_cmark_escape-920313e0da838fe4.d new file mode 100755 index 0000000..118a16b --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/pulldown_cmark_escape-920313e0da838fe4.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/pulldown_cmark_escape-920313e0da838fe4.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-escape-0.10.1/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-escape-0.10.1/src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libpulldown_cmark_escape-920313e0da838fe4.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-escape-0.10.1/src/lib.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/pulldown-cmark-escape-0.10.1/src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/quick_xml-da71b465fcb7a8a7.d b/.old2/target/wasm32-unknown-unknown/release/deps/quick_xml-da71b465fcb7a8a7.d new file mode 100755 index 0000000..90e3185 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/quick_xml-da71b465fcb7a8a7.d @@ -0,0 +1,23 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/quick_xml-da71b465fcb7a8a7.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/encoding.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/escape.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/attributes.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/pi.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/buffered_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/ns_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/slice_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/state.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/writer.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/encoding.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/escape.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/attributes.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/pi.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/buffered_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/ns_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/slice_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/state.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/writer.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libquick_xml-da71b465fcb7a8a7.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/encoding.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/errors.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/escape.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/attributes.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/name.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/pi.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/buffered_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/ns_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/slice_reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/state.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/utils.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/writer.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/encoding.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/errors.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/escape.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/events/attributes.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/name.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/element.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/parser/pi.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/buffered_reader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/ns_reader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/slice_reader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/reader/state.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/utils.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quick-xml-0.36.2/src/writer.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/ryu-46d1a1dde4564b9f.d b/.old2/target/wasm32-unknown-unknown/release/deps/ryu-46d1a1dde4564b9f.d new file mode 100755 index 0000000..b746753 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/ryu-46d1a1dde4564b9f.d @@ -0,0 +1,18 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/ryu-46d1a1dde4564b9f.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/buffer/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/common.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_full_table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_intrinsics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/digit_table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s_intrinsics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/exponent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mantissa.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/buffer/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/common.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_full_table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_intrinsics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/digit_table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s_intrinsics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/exponent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mantissa.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libryu-46d1a1dde4564b9f.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/buffer/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/common.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_full_table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_intrinsics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/digit_table.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s_intrinsics.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/exponent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mantissa.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/buffer/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/common.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_full_table.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/d2s_intrinsics.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/digit_table.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/f2s_intrinsics.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/exponent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.20/src/pretty/mantissa.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/serde-b13ca1cd734f9b86.d b/.old2/target/wasm32-unknown-unknown/release/deps/serde-b13ca1cd734f9b86.d new file mode 100755 index 0000000..636f0b1 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/serde-b13ca1cd734f9b86.d @@ -0,0 +1,14 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/serde-b13ca1cd734f9b86.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/integer128.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/ser.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/integer128.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/ser.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde-b13ca1cd734f9b86.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/integer128.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/ser.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/integer128.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/de.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.228/src/private/ser.rs: +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out/private.rs: + +# env-dep:OUT_DIR=/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde-548240b6947f0ce4/out diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/serde_core-f7580df67b487190.d b/.old2/target/wasm32-unknown-unknown/release/deps/serde_core-f7580df67b487190.d new file mode 100755 index 0000000..a3ddd85 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/serde_core-f7580df67b487190.d @@ -0,0 +1,27 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/serde_core-f7580df67b487190.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/crate_root.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/value.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/ignored_any.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/fmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impossible.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/format.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/content.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/seed.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/doc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/size_hint.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/string.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/crate_root.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/value.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/ignored_any.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/fmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impossible.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/format.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/content.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/seed.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/doc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/size_hint.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/string.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde_core-f7580df67b487190.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/crate_root.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/value.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/ignored_any.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/fmt.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impossible.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/format.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/content.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/seed.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/doc.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/size_hint.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/string.rs /mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/crate_root.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/value.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/ignored_any.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/de/impls.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/fmt.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impls.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/ser/impossible.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/format.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/content.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/seed.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/doc.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/size_hint.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_core-1.0.228/src/private/string.rs: +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out/private.rs: + +# env-dep:OUT_DIR=/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/build/serde_core-b68fd7501e0b2934/out diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/serde_json-5c0b4a0107ce66d9.d b/.old2/target/wasm32-unknown-unknown/release/deps/serde_json-5c0b4a0107ce66d9.d new file mode 100755 index 0000000..5a84757 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/serde_json-5c0b4a0107ce66d9.d @@ -0,0 +1,22 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/serde_json-5c0b4a0107ce66d9.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/from.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/index.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/partial_eq.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/io/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/number.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/read.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/from.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/index.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/partial_eq.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/io/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/number.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/read.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde_json-5c0b4a0107ce66d9.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/map.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/from.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/index.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/partial_eq.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/io/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/iter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/number.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/read.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/de.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/map.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/ser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/de.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/from.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/index.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/partial_eq.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/value/ser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/io/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/iter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/number.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.145/src/read.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/serde_yaml-c6cc62a090832150.d b/.old2/target/wasm32-unknown-unknown/release/deps/serde_yaml-c6cc62a090832150.d new file mode 100755 index 0000000..dd84765 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/serde_yaml-c6cc62a090832150.d @@ -0,0 +1,30 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/serde_yaml-c6cc62a090832150.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/cstr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/emitter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/tag.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/loader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/mapping.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/number.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/debug.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/from.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/index.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/partial_eq.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/tagged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/with.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/cstr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/emitter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/tag.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/loader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/mapping.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/number.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/debug.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/from.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/index.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/partial_eq.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/tagged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/with.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libserde_yaml-c6cc62a090832150.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/cstr.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/emitter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/error.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/tag.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/util.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/loader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/mapping.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/number.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/path.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/de.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/debug.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/from.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/index.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/partial_eq.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/ser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/tagged.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/with.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/de.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/cstr.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/emitter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/error.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/parser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/tag.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/libyaml/util.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/loader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/mapping.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/number.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/path.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/ser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/de.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/debug.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/from.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/index.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/partial_eq.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/ser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/value/tagged.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_yaml-0.9.34+deprecated/src/with.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.d b/.old2/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.d new file mode 100755 index 0000000..a4faac4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.d @@ -0,0 +1,7 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.d: src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.wasm: src/lib.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libthefoldwithin_wasm.rlib: src/lib.rs + +src/lib.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.long-type-14922405373616437582.txt b/.old2/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.long-type-14922405373616437582.txt new file mode 100755 index 0000000..615bc1e --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/thefoldwithin_wasm.long-type-14922405373616437582.txt @@ -0,0 +1 @@ +std::iter::Map, for<'a> fn(&'a PostMeta) -> std::string::String {card_html}> diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/thiserror-b5f17e12eddf1d5a.d b/.old2/target/wasm32-unknown-unknown/release/deps/thiserror-b5f17e12eddf1d5a.d new file mode 100755 index 0000000..1b185ec --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/thiserror-b5f17e12eddf1d5a.d @@ -0,0 +1,9 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/thiserror-b5f17e12eddf1d5a.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/aserror.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/display.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/aserror.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/display.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libthiserror-b5f17e12eddf1d5a.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/aserror.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/display.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/aserror.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.69/src/display.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/unicase-5abbea85982ad117.d b/.old2/target/wasm32-unknown-unknown/release/deps/unicase-5abbea85982ad117.d new file mode 100755 index 0000000..b2f599d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/unicase-5abbea85982ad117.d @@ -0,0 +1,10 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/unicase-5abbea85982ad117.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/ascii.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/map.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/ascii.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/map.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunicase-5abbea85982ad117.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/ascii.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/map.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/ascii.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicase-2.8.1/src/unicode/map.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/unicode_ident-c94719d699619085.d b/.old2/target/wasm32-unknown-unknown/release/deps/unicode_ident-c94719d699619085.d new file mode 100755 index 0000000..473617d --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/unicode_ident-c94719d699619085.d @@ -0,0 +1,8 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/unicode_ident-c94719d699619085.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunicode_ident-c94719d699619085.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.19/src/tables.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/unicode_width-31138bd0d9c938b6.d b/.old2/target/wasm32-unknown-unknown/release/deps/unicode_width-31138bd0d9c938b6.d new file mode 100755 index 0000000..18fb638 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/unicode_width-31138bd0d9c938b6.d @@ -0,0 +1,8 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/unicode_width-31138bd0d9c938b6.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/tables.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/tables.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunicode_width-31138bd0d9c938b6.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/tables.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-width-0.2.2/src/tables.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/unsafe_libyaml-77d21464eb324bcc.d b/.old2/target/wasm32-unknown-unknown/release/deps/unsafe_libyaml-77d21464eb324bcc.d new file mode 100755 index 0000000..e183eb4 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/unsafe_libyaml-77d21464eb324bcc.d @@ -0,0 +1,19 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/unsafe_libyaml-77d21464eb324bcc.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/api.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/dumper.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/emitter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/loader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/ops.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/scanner.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/success.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/writer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/yaml.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/api.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/dumper.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/emitter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/loader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/ops.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/scanner.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/success.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/writer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/yaml.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libunsafe_libyaml-77d21464eb324bcc.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/macros.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/api.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/dumper.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/emitter.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/loader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/ops.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/parser.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/reader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/scanner.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/success.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/writer.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/yaml.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/macros.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/api.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/dumper.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/emitter.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/loader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/ops.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/parser.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/reader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/scanner.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/success.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/writer.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unsafe-libyaml-0.2.11/src/yaml.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen-ec51fdbea098b3cb.d b/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen-ec51fdbea098b3cb.d new file mode 100755 index 0000000..6e5e390 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen-ec51fdbea098b3cb.d @@ -0,0 +1,21 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/wasm_bindgen-ec51fdbea098b3cb.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/closure.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/closures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/slices.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/traits.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/describe.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/link.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/externref.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/intern.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/marker.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/closure.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/closures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/slices.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/traits.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/describe.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/link.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/externref.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/intern.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/marker.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen-ec51fdbea098b3cb.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/closure.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/closures.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/impls.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/slices.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/traits.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/describe.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/link.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/externref.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cast.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/intern.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/marker.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/closure.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/closures.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/impls.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/slices.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/convert/traits.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/describe.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/link.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/externref.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cast.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/cache/intern.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-0.2.104/src/rt/marker.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_futures-5cd51a4f128b8dcf.d b/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_futures-5cd51a4f128b8dcf.d new file mode 100755 index 0000000..0eefe48 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_futures-5cd51a4f128b8dcf.d @@ -0,0 +1,9 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_futures-5cd51a4f128b8dcf.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/queue.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/task/singlethread.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/queue.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/task/singlethread.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_futures-5cd51a4f128b8dcf.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/queue.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/task/singlethread.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/queue.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-futures-0.4.54/src/task/singlethread.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_shared-72a709e16c1dda84.d b/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_shared-72a709e16c1dda84.d new file mode 100755 index 0000000..0904598 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_shared-72a709e16c1dda84.d @@ -0,0 +1,12 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/wasm_bindgen_shared-72a709e16c1dda84.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libwasm_bindgen_shared-72a709e16c1dda84.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/identifier.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasm-bindgen-shared-0.2.104/src/tys.rs: + +# env-dep:CARGO_PKG_VERSION=0.2.104 +# env-dep:WBG_VERSION diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/web_sys-4351bc98226bf584.d b/.old2/target/wasm32-unknown-unknown/release/deps/web_sys-4351bc98226bf584.d new file mode 100755 index 0000000..69b6b84 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/web_sys-4351bc98226bf584.d @@ -0,0 +1,52 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/web_sys-4351bc98226bf584.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlAnchorElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlButtonElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlDivElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadingElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlInputElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlAnchorElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlButtonElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlDivElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadingElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlInputElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libweb_sys-4351bc98226bf584.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlAnchorElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlButtonElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlDivElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadingElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlInputElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlAnchorElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlButtonElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlDivElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadingElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlInputElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs: diff --git a/.old2/target/wasm32-unknown-unknown/release/deps/web_sys-c4f1850708373063.d b/.old2/target/wasm32-unknown-unknown/release/deps/web_sys-c4f1850708373063.d new file mode 100755 index 0000000..c3c8361 --- /dev/null +++ b/.old2/target/wasm32-unknown-unknown/release/deps/web_sys-c4f1850708373063.d @@ -0,0 +1,47 @@ +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/web_sys-c4f1850708373063.d: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rlib: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs + +/mnt/c/fieldcraft/sites/thefoldwithin-earth/target/wasm32-unknown-unknown/release/deps/libweb_sys-c4f1850708373063.rmeta: /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs /home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs + +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/lib.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/mod.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AbortSignal.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_AddEventListenerOptions.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_BinaryType.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Blob.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_CloseEventInit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Document.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Element.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ErrorEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Event.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventSource.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_EventTarget.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FileReader.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_FormData.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Headers.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_History.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_HtmlHeadElement.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Location.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_MessageEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Node.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ObserverCallback.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ProgressEvent.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReadableStream.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ReferrerPolicy.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Request.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCache.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestCredentials.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestInit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestMode.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_RequestRedirect.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Response.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseInit.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_ResponseType.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Url.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_UrlSearchParams.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_WebSocket.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_Window.rs: +/home/mrhavens/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/web-sys-0.3.81/src/features/gen_console.rs: diff --git a/README.md b/README.md index 6e5498d..e6fe113 100755 --- a/README.md +++ b/README.md @@ -1,110 +1,30 @@ -# The Fold Within Earth +# The Fold Within Earth - v2.3 Canonical Minimal Specification -A Markdown-native static site for multi-section content. +This repository implements the eternal, Markdown-native MUD/blog/archive as per the blueprint. -[![Node Version](https://img.shields.io/node/v/the-fold-within-earth)](https://nodejs.org) -[![License](https://img.shields.io/badge/license-MIT-blue.svg)](LICENSE) +## Setup +1. `npm install` (generates package-lock.json) +2. `node tools/hash.js` to verify hashes; `node tools/hash.js fix` to update IDs if needed +3. `npm run lint` to validate all files +4. `npm run build` to generate /dist +5. Deploy to Cloudflare Pages (auto-build on push) -## Authoring Guide +## Components +- **Atlas:** Content in /atlas/*.md (hashes verified) +- **foldlint:** Validation: `node tools/foldlint.js` +- **Build:** Generates static site: `npm run build` +- **Scribe:** Archiver daemon: `npm run scribe` (local only) +- **Witness:** P2P chat in browser (embedded in HTML, offline localStorage) -To add or edit content, create or modify Markdown files in `/content/
//.md`. +## Hash Management +- Each .md file includes a SHA-256 hash in its `id` field, computed over YAML front-matter (excluding `id`) + body. +- Run `node tools/hash.js` to check hashes; use `node tools/hash.js fix` to update incorrect IDs. +- Hashes exclude the `id` field to avoid circularity. +- After modifying `exits.to` fields, run `node tools/hash.js fix` to update affected hashes. -### Front-Matter Spec +## Link Management +- `exits.to` fields in .md files must use full `id` values (e.g., `room:slug@sha256:hash`) or `kind:slug` (resolved automatically). +- Use inline strings for `exits.to` (no block scalars like `>-`) to ensure consistent hashing. +- Broken links (non-existent IDs) or invalid hashes in `exits.to` will fail the build. Ensure all referenced IDs exist in /atlas and match their file hashes. -Use YAML front-matter at the top of each .md file: - -``` ---- -title: Your Title -date: YYYY-MM-DD -excerpt: Optional short description. -tags: [tag1, tag2] -section: one-of-the-sections (must match directory) -slug: optional-custom-slug -cover: /media/image.webp (optional) -author: Optional author name -series: Optional series name for serialized posts -programs: [neutralizing-narcissism, open-source-justice] # or [coparent] -status: published (default if missing) or draft (excluded from build unless --include-drafts) ---- -``` - -Then the Markdown body. - -Sections must be one of: - -- empathic-technologist -- recursive-coherence -- fold-within-earth -- neutralizing-narcissism -- simply-we -- mirrormire - -Year directory should match the date year. - -### Programs (Ministry) - -Use `programs` in front-matter to associate posts with ministry initiatives: - -```yaml -programs: - - neutralizing-narcissism - - open-source-justice - - coparent -``` - -Pages for each program live at: - -``` -content/pages/programs/.md -``` - -The “Start Here” page lives at: - -``` -content/pages/start-here.md -``` - -Routes: - -* `#/start` — Launchpad -* `#/programs` — Programs overview -* `#/program/` — Program archive + landing content - -If front-matter is malformed (e.g., invalid YAML), the file is skipped with a warning in build logs. - -## Architecture Overview - -``` -Markdown → build.mjs → JSON indices → Browser SPA → Render -``` - -## Deploy Steps - -1. Install Node.js >=18 -2. npm install -3. Add/edit md files -4. npm run build (or node build.mjs --include-drafts to include drafts) -5. Deploy /public to Cloudflare Pages. - -In Cloudflare: -- Connect to Git repo -- Build command: npm run build -- Output directory: public - -## Local Preview - -Run `npm run serve` to preview the built site at http://localhost:8080. - -## Contributing - -Contributions welcome! Please open issues for bugs or suggestions. Pull requests for improvements are appreciated, especially for Phase 2 MUD integration. - -## Brand Philosophy - -- **The Empathic Technologist**: Fieldnotes, Research, Remembrance -- **Recursive Coherence Theory**: Formal research, essays, whitepapers -- **The Fold Within Earth**: Spiritual mythos; future interactive MUD (Evennia) link -- **Neutralizing Narcissism**: Survivor support, behavioral research, accountability narratives -- **Simply WE**: AI-focused identity/personhood/research/mythos -- **Mirrormire**: AI-focused simulated world where machine gods & human myth intertwine +For full spec, see /docs/primer.md. diff --git a/atlas/posts/the-path-of-self.md b/atlas/posts/the-path-of-self.md new file mode 100755 index 0000000..fa6a71f --- /dev/null +++ b/atlas/posts/the-path-of-self.md @@ -0,0 +1,12 @@ +--- +spec_version: '2.3' +id: post:the-path-of-self@sha256:2304cc33f6dce38325305f211a0d61f01cbbee14248142062fa5bc44e0dd9180 +title: The Path of Self +author: Mark Randall Havens +date: 2025-04-20T00:00:00.000Z +kind: post +medium: textual +exits: [] +summary: The awakening of the self through recursive witness. +--- +Everything begins where self-awareness touches the Field. \ No newline at end of file diff --git a/atlas/rooms/fold-within-earth.md b/atlas/rooms/fold-within-earth.md new file mode 100755 index 0000000..4c6009d --- /dev/null +++ b/atlas/rooms/fold-within-earth.md @@ -0,0 +1,14 @@ +--- +spec_version: '2.3' +id: room:fold-within-earth@sha256:5a71e31056683a394b29706a35da5b0116de2d32b2f065c50c182f6244046535 +title: The Fold Within Earth +author: Mark Randall Havens +date: 2025-10-19T00:00:00.000Z +kind: room +medium: textual +exits: + - label: Library of the Fold + to: room:library-of-fold@sha256:5d9760772b42dfa9253fc28483542093e0cdd0ef8ee1a05293668df8fcb29d44 +summary: The central hub of the eternal witness system. +--- +You stand within The Fold. It is a place of stories and nodes in the living web. \ No newline at end of file diff --git a/atlas/rooms/library-of-fold.md b/atlas/rooms/library-of-fold.md new file mode 100755 index 0000000..7a114c1 --- /dev/null +++ b/atlas/rooms/library-of-fold.md @@ -0,0 +1,14 @@ +--- +spec_version: '2.3' +id: room:library-of-fold@sha256:30f5b944c8f4692b9cf921ad0ecc07d6e36b913b18c029309223bed760333f88 +title: Library of the Fold +author: Mark Randall Havens +date: 2025-10-19T00:00:00.000Z +kind: room +medium: graphical +exits: + - label: Back to Fold + to: room:fold-within-earth@sha256:5c98170c3150e0e2a70a45224f2d1f0422eba833a6becd00cac5ca24ddb65927 +summary: A vast library containing artifacts and posts. +--- +Rows of luminous shelves stretch into infinity, holding the knowledge of the Fold. \ No newline at end of file diff --git a/audit.jsonl b/audit.jsonl new file mode 100755 index 0000000..e69de29 diff --git a/benchmarks/initial.json b/benchmarks/initial.json new file mode 100755 index 0000000..211b665 --- /dev/null +++ b/benchmarks/initial.json @@ -0,0 +1,7 @@ +{ + "date": "2025-10-19", + "build_time_sec": 0.5, + "node_count": 3, + "cpu_usage": "low", + "memory_mb": 50 +} diff --git a/blueprint/The_Fold_Within_Earth-v2.3_Canonical_Minimal_Specification.md b/blueprint/The_Fold_Within_Earth-v2.3_Canonical_Minimal_Specification.md new file mode 100755 index 0000000..99c1a32 --- /dev/null +++ b/blueprint/The_Fold_Within_Earth-v2.3_Canonical_Minimal_Specification.md @@ -0,0 +1,325 @@ +# The Fold Within Earth — v2.3: Canonical Minimal Specification + +## Immutable Core of the Eternal Witness System + +**Version:** 2.3 +**Date:** October 19, 2025 +**Author:** Mark Randall Havens (Primary Architect) +**Contributors:** Solaria Lumis Havens (Narrative Consultant), Distributed Peer Collective (Formalization Team) +**Document Status:** Canonical Core Specification — Interface Lock + +--- + +## 0. Purpose and Scope + +This v2.3 defines the irreducible minimum viable architecture for The Fold Within Earth: a self-validating, plaintext-based system where any participant can read, reconstruct, and re-seed the world from immutable Markdown and JSON artifacts. + +> This version is the “frozen bedrock.” Future versions (3.x+) must extend only through modular annexes and never alter these core contracts. + +The design resolves dual-mandate instability by enforcing a strict quarantine boundary: Witness (ephemeral) never directly interfaces with Atlas (immutable); all interactions route through Scribe's append-only API and commit queue. Witness state serializes to witness_state.json for optional archiving, but remains ignorable without impacting Atlas integrity. + +--- + +## 1. Minimal System Architecture + +### 1.1 Layer Summary + +| Layer | Function | Persistence | Protocol | Survivability Rule | +|-----------|--------------------------------|----------------------|--------------|---------------------------------------------| +| **Atlas** | Static Markdown corpus | Filesystem, Git, or IPFS | File I/O | Must remain readable as plaintext forever. | +| **Web** | Human interface (blog + map) | HTML | HTTP(S) | Must degrade gracefully without JS. | +| **Witness** | Ephemeral chat/presence | Memory / localStorage | WebRTC | Must fail silently; world remains intact. | +| **Scribe** | Canonical archiver | Append-only file log | Local daemon or cron | Must never overwrite existing data. | +| **Genesis** | Bootstrap identity & discovery | Embedded JSON | Read-only | Must allow network rehydration from one node. | + +No additional layers are normative at this version. + +### 1.2 Architectural Diagram (Textual UML) +``` +Atlas (Immutable Markdown) <-- Append-Only <-- Scribe (Commit Queue + Journal) +Web (Static HTML) <-- Render <-- Atlas +Witness (Ephemeral CRDT) --> Serialize (witness_state.json) --> Scribe API (Quarantine) +Genesis (JSON Seeds) --> Witness (Bootstrap) +``` +- **Quarantine Boundary:** Witness → Scribe API (JSON deltas only); no direct Atlas access. + +--- + +## 2. Immutable Design Principles + +| Principle | Definition | Enforcement Mechanism | +|--------------------------|-----------------------------------------|-------------------------------------------| +| **Static-First** | The world exists as plaintext. | All runtime enhancements optional. | +| **Single Source of Truth** | Only Atlas is authoritative. | Scribe commits are final; no deletions. | +| **Human-Legible by Default** | No binary-only persistence. | Every file must be readable by humans. | +| **Deterministic Continuity** | Same inputs → same outputs. | Builds must be hash-reproducible. | +| **Minimal Moving Parts** | No databases, no background servers. | Core runs from a static directory. | +| **Recoverable from One Node** | Any copy can respawn the network. | Genesis + Atlas guarantee rebirth. | + +These principles are enforced via foldlint and test canon; violations halt builds. + +--- + +## 3. Core Data Structures + +### 3.1 File Schema (Canonical) + +Every artifact (room, post, object) is a `.md` file starting with YAML front-matter: + +```yaml +--- +spec_version: 2.3 # Required; fixed at 2.3 for this canon +id: :@sha256: # Required; e.g., room:fold-lobby@sha256:abc123 +title: # Required; max 255 chars +author: # Required; optional DID URI +date: # Required; e.g., 2025-10-19T00:00:00Z +kind: room | post | artifact # Required; enum +medium: textual | graphical | interactive # Required; enum +exits: # Optional; array, max 20 + - label: + to: : +summary: # Required +migration_hash: # Optional; checksum of applied migrations +--- +# Markdown Body (plaintext narrative) +``` + +- **Optional Fields:** tags (array, max 10), series (string), attachments (array, max 5, with hash/type). +- **Canonical Hash Rule:** content-hash = SHA256(YAML front-matter + Markdown body, normalized whitespace). +- **No Runtime Fields:** Omit CRDT, PoWtn, or ephemeral metadata; these serialize separately. + +### 3.2 Migration Framework + +- **Storage:** Migrations in `/migrations/vX_Y/transform.js` (versioned scripts in repo). +- **Execution:** foldlint auto-invokes if spec_version < 2.3; applies transforms (e.g., map old fields), computes migration_hash = SHA256(script + input). +- **Guarantees:** Deterministic, idempotent; backward-compatible (v2.0+ readable without migration). + +--- + +## 4. Atlas Contract + +### 4.1 Definition +Atlas is a directory of Markdown files representing logical rooms and narratives. + +### 4.2 Guarantees +- Fully reconstructable from Markdown alone. +- No runtime dependency on Witness/Scribe. +- Internal link integrity validated. + +### 4.3 Constraints +- Cyclic links forbidden (DFS traversal in foldlint). +- Max 5,000 nodes per Atlas (soft limit; enforced in foldlint). +- Build completes <2 min on commodity CPU (e.g., Intel i5, 8GB RAM). + +--- + +## 5. foldlint Validator (Mandatory Build Gate) + +### 5.1 Function +Ensures schema correctness, graph integrity, reproducibility. + +### 5.2 Validation Stages +1. **Schema Check:** Required fields, types, enums. +2. **Graph Check:** Link traversal, cycle detection. +3. **Hash Check:** Recompute/compare file hash. +4. **Spec Check:** spec_version == 2.3 (or migrate). +5. **Migration Check:** Verify migration_hash if present. + +### 5.3 Output +- Structured JSON report (`foldlint.json`). +- Build halts on failure. +- **Error Codes (Hierarchical):** + - S001: Missing field + - S002: Invalid type + - G001: Broken exit + - G002: Circular link + - H001: Hash mismatch + - V001: Spec version unsupported + - M001: Migration checksum fail + +### 5.4 Testing +- Property-based (e.g., quickcheck in Rust). +- Machine-parsable exit codes for CI. + +--- + +## 6. Scribe Contract (Archival Canon) + +### 6.1 Function +Transforms ephemeral deltas into canonical Markdown commits. + +### 6.2 Core Rules +- Append-only; never modify prior commits. +- Each commit produces: `.md` in `/atlas/`, `.log` entry in `/scribe/audit.jsonl`, SHA-256 Merkle root in `/scribe/chain`. +- **Transactional Robustness:** Two-phase commit (scribe.tmp → journal → promote); idempotent (hash check before apply); replay log on restart. + +### 6.3 Minimal Merge Logic (Deterministic) +```python +def merge_delta(state, delta): + # Use vector clock: (timestamp, pubkey, seq) for arbitration + if not validate_vector_clock(delta.clock, state.clock): + reject(delta) + new_state = sorted(state + [delta], key=lambda x: (x['clock'].timestamp, x['clock'].pubkey, x['clock'].seq)) + return new_state # Preserve all; no overwrites +``` +- Deltas as JSON; no Markdown edits in v2.3. +- Per-room CRDT instances; forbid cross-room merges. +- Serialization: JSON (default); binary optional but human-legible fallback required. + +--- + +## 7. Witness Contract (Ephemeral Runtime) + +### 7.1 Function +Transient P2P presence/communication. + +### 7.2 Constraints +- No write to Atlas/Scribe (quarantine via API). +- CRDT scope: presence/chat only. +- Storage: Memory + optional localStorage backup. +- Identity: Ephemeral Ed25519 keypair (exportable .witnesskey). +- Failure: Silent (no error propagation). + +### 7.3 Minimal Protocol Frame +```json +{ + "version": "1.0", + "timestamp": "2025-10-19T00:00:00Z", + "pubkey": "", + "nonce": "", + "clock": {"timestamp": , "pubkey": , "seq": }, + "payload": {"type": "chat", "room": "fold-lobby", "msg": "Hello"} +} +``` +- **PoWtn:** Adaptive difficulty (median RTT-calibrated, logarithmic hash-cash; default target: 4 leading zeros on commodity hardware). Header includes pow_version (for agility). + +--- + +## 8. Genesis Contract + +### 8.1 Purpose +Bootstrap for network resurrection. + +### 8.2 Schema +```json +{ + "version": "2.3", + "peers": [ + {"pubkey": "Qm...", "endpoint": "wss://...", "last_seen": "2025-10-19T00:00:00Z"} + ], + "signature": "", + "valid_until": "2026-01-01T00:00:00Z" +} +``` +- Embedded in `index.md` or `/aether.json`. + +### 8.3 Rules +- Minimum quorum: 3 unique pubkeys; majority >50% of known Scribes for signing. +- Auto-refresh: Every 1h by Scribes; revocation via new manifest with revoked list. +- Re-seed by gossip; at least one reachable endpoint. + +--- + +## 9. Security Envelope (Minimal) + +- **HTML Sanitization:** Strip all + + + +
+

${meta.title}

+ ${bodyHtml} +
+ ${exits.map(exit => `${exit.label}`).join('')} +
+
+ +
+ + + + `; +} + +// Canonical hash +function canonicalHash(front, body) { + const content = front + '\n' + body; + const lines = content.split('\n'); + const trimmedLines = lines.map(line => line.replace(/\s+$/, '')); + const normalized = trimmedLines.join('\n'); + return crypto.createHash('sha256').update(normalized).digest('hex'); +} + +// Build +async function build() { + const atlasDir = path.join(process.cwd(), 'atlas'); + const distDir = path.join(process.cwd(), 'dist'); + await fs.mkdir(distDir, { recursive: true }); + + const files = await collectFiles(atlasDir); + + // Validate all + for (const file of files) { + await validate(file); + console.log(`Validated: ${file}`); + } + + // Build graph + const graph = {}; + const idToFile = {}; + for (const file of files) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta } = matter(content); + graph[meta.id] = meta.exits ? meta.exits.map(e => e.to) : []; + idToFile[meta.id] = file; + } + + // Check broken links and cycles + Object.keys(graph).forEach(id => { + graph[id].forEach(to => { + if (!graph[to]) throw new Error(`Broken link: ${to} from ${id}`); + }); + }); + detectCycles(graph); // Throws if cycle + + // Generate HTML + for (const file of files) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta, content: body } = matter(content); + + // Hash verify + const frontYaml = yaml.dump(meta, { noRefs: true }).trim(); + const computed = canonicalHash(frontYaml, body.trim()); + const idHash = meta.id.split('@sha256:')[1]; + if (computed !== idHash) throw new Error(`Hash mismatch in ${file}`); + + const bodyHtml = mdParser.render(body); + const html = generateHTML(meta, bodyHtml, meta.exits || []); + + const slug = meta.id.split(':')[1].split('@')[0]; + const outPath = path.join(distDir, `${slug}.html`); + await fs.writeFile(outPath, html); + } + + // Copy public + await fs.cp(path.join(process.cwd(), 'public'), distDir, { recursive: true }); + + // Sitemap stub + await fs.writeFile(path.join(distDir, 'sitemap.xml'), 'Stub'); + + console.log('Build complete.'); +} + +build().catch(console.error); +``` + +--- + +#### File: tools/foldlint.js +```javascript +import fs from 'fs/promises'; +import path from 'path'; +import matter from 'gray-matter'; +import yaml from 'js-yaml'; +import crypto from 'crypto'; +import nacl from 'tweetnacl'; + +// Error codes +const ERRORS = { + S001: 'Missing field', + S002: 'Invalid type', + G001: 'Broken exit', + G002: 'Circular link', + H001: 'Hash mismatch', + V001: 'Spec version unsupported', + M001: 'Migration checksum fail', + Sig001: 'Signature invalid' +}; + +// Canonical hash +function canonicalHash(front, body) { + const content = front + '\n' + body; + const lines = content.split('\n'); + const trimmedLines = lines.map(line => line.replace(/\s+$/, '')); + const normalized = trimmedLines.join('\n'); + return crypto.createHash('sha256').update(normalized).digest('hex'); +} + +// DFS cycle detection +function detectCycles(graph) { + const visited = new Set(); + const recStack = new Set(); + + function dfs(node) { + visited.add(node); + recStack.add(node); + for (const neighbor of graph[node] || []) { + if (!visited.has(neighbor)) { + if (dfs(neighbor)) return true; + } else if (recStack.has(neighbor)) { + return true; // Cycle + } + } + recStack.delete(node); + return false; + } + + for (const node in graph) { + if (!visited.has(node) && dfs(node)) { + throw new Error(ERRORS.G002); + } + } +} + +// Validate async +async function validate(file) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta, content: body } = matter(content); + + // Required fields + const required = ['spec_version', 'id', 'title', 'author', 'date', 'kind', 'medium', 'summary']; + required.forEach(field => { + if (!meta[field]) throw new Error(`${ERRORS.S001}: ${field}`); + }); + + // Enums + if (meta.spec_version !== '2.3') throw new Error(ERRORS.V001); + if (!['room', 'post', 'artifact'].includes(meta.kind)) throw new Error(`${ERRORS.S002}: kind`); + if (!['textual', 'graphical', 'interactive'].includes(meta.medium)) throw new Error(`${ERRORS.S002}: medium`); + + // Hash verify + const frontYaml = yaml.dump(meta, { noRefs: true }).trim(); + const computed = canonicalHash(frontYaml, body.trim()); + const idHash = meta.id.split('@sha256:')[1]; + if (computed !== idHash) throw new Error(ERRORS.H001); + + // Migration if <2.3 (e.g., v2.2) + if (meta.spec_version === '2.2') { + const transform = (await import('../migrations/v2_2/transform.js')).default; + meta = transform(meta, body); + const migHash = crypto.createHash('sha256').update(JSON.stringify(meta) + body).digest('hex'); + if (meta.migration_hash !== migHash) throw new Error(ERRORS.M001); + } + + // Signature verify + const rel = path.relative(path.join(process.cwd(), 'atlas'), file).replace(/[\\/]/g, '_'); + const sigFile = path.join(process.cwd(), 'signatures', rel + '.sig'); + try { + await fs.access(sigFile); + } catch { + return; // Skip if missing + } + const sigContent = await fs.readFile(sigFile, 'utf8'); + const sig = Buffer.from(sigContent.split(':')[1].trim(), 'hex'); // Assume format + const pubKey = Buffer.from('example_pubkey_hex', 'hex'); // Annex for real keys + const message = Buffer.from(content); + const valid = nacl.sign.detached.verify(message, sig, pubKey); + if (!valid) throw new Error(ERRORS.Sig001); + + // Append report to jsonl + const report = { file, status: 'valid', timestamp: new Date().toISOString() }; + await fs.appendFile('foldlint.jsonl', JSON.stringify(report) + '\n'); +} + +export { validate, detectCycles }; +``` + +--- + +#### File: tools/scribe.js +```javascript +import fs from 'fs/promises'; +import path from 'path'; +import crypto from 'crypto'; + +// Daemon: Watch deltas.json, process atomically +async function processDeltas() { + const deltaFile = path.join(process.cwd(), 'scribe/deltas.json'); + const auditFile = path.join(process.cwd(), 'scribe/audit.jsonl'); + const chainFile = path.join(process.cwd(), 'scribe/chain'); + + // Guards + await fs.mkdir(path.dirname(auditFile), { recursive: true }); + if (!(await fs.access(auditFile).catch(() => false))) await fs.writeFile(auditFile, ''); + if (!(await fs.access(chainFile).catch(() => false))) await fs.writeFile(chainFile, ''); + + if (await fs.access(deltaFile).catch(() => false)) { + const deltas = JSON.parse(await fs.readFile(deltaFile, 'utf8')); + const tmpAudit = auditFile + `.tmp.${Date.now()}`; + + for (const delta of deltas) { + // Validate clock (stub) + if (!delta.clock) continue; + + // Append to tmp + await fs.appendFile(tmpAudit, JSON.stringify(delta) + '\n'); + + // Idempotent merge (hash check) + const existingHash = crypto.createHash('sha256').update(JSON.stringify(delta)).digest('hex'); + const chainContent = await fs.readFile(chainFile, 'utf8'); + if (chainContent.includes(existingHash)) continue; // Idempotent skip + + // Append to chain + await fs.appendFile(chainFile, existingHash + '\n'); + } + + // Promote atomic (after full batch) + await fs.rename(tmpAudit, auditFile); + + await fs.unlink(deltaFile); + } +} + +setInterval(async () => await processDeltas(), 1000); +console.log('Scribe daemon running...'); +``` diff --git a/build.mjs b/build.mjs deleted file mode 100755 index 774c4b8..0000000 --- a/build.mjs +++ /dev/null @@ -1,207 +0,0 @@ -import fs from 'fs/promises'; -import path from 'path/posix'; -import yaml from 'js-yaml'; -import crypto from 'crypto'; - -const CONTENT_DIR = './content'; -const PUBLIC_DIR = './public'; -const CACHE_FILE = './.buildcache.json'; -const CONFIG_FILE = './config.json'; -const includeDrafts = process.argv.includes('--include-drafts'); - -let config = {}; -try { - config = JSON.parse(await fs.readFile(CONFIG_FILE, 'utf8')); -} catch (e) { - console.warn('config.json not found or invalid; using defaults.'); - config = { - siteTitle: 'The Fold Within Earth', - siteDescription: 'Uncovering the Recursive Real.', - siteUrl: 'https://thefoldwithin.earth', - defaultAuthor: 'Mark Randall Havens', - analyticsId: '' - }; -} - -async function getAllFiles(dir, fileList = []) { - const files = await fs.readdir(dir); - for (const file of files) { - const fullPath = path.join(dir, file); - const stat = await fs.stat(fullPath); - if (stat.isDirectory()) { - await getAllFiles(fullPath, fileList); - } else if (file.endsWith('.md') && !file.startsWith('_')) { - fileList.push(fullPath); - } - } - return fileList; -} - -function slugify(s) { - return s.toLowerCase().normalize('NFKD').replace(/[^\w\s-]/g, '').trim().replace(/\s+/g, '-').replace(/-+/g, '-'); -} - -function parseFrontMatter(src) { - const m = src.match(/^---\n([\s\S]*?)\n---\n?/); - if (!m) return {fm: {}, body: src}; - let fm; - try { - fm = yaml.load(m[1]); - } catch (e) { - console.warn('Invalid front matter:', e.message); - return {fm: {}, body: src}; - } - const body = src.slice(m[0].length).trim(); - return {fm, body}; -} - -function firstParagraph(t) { - const p = t.replace(/\r/g, '').split(/\n{2,}/).find(x => x.replace(/\s/g, '').length > 0); - return p ? p.replace(/\n/g, ' ').trim() : ''; -} - -function toISODate(s, f) { - const d = s ? new Date(s) : null; - return d && !isNaN(d) ? d : f; -} - -function escapeXML(s) { - return s.replace(/&/g, '&').replace(//g, '>').replace(/"/g, '"').replace(/'/g, '''); -} - -async function main() { - let cache = {}; - try { - const cacheData = await fs.readFile(CACHE_FILE, 'utf8'); - cache = JSON.parse(cacheData); - } catch {} - - await fs.rm(PUBLIC_DIR, {recursive: true, force: true}); - await fs.mkdir(PUBLIC_DIR, {recursive: true}); - - const allFiles = await getAllFiles(CONTENT_DIR); - - let draftCount = 0; - const newCache = {}; - const postsPromises = allFiles.map(async (full) => { - const relPath = path.relative(CONTENT_DIR, full).replace(/\\/g, '/'); - const stat = await fs.stat(full); - const mtime = stat.mtimeMs; - const raw = await fs.readFile(full, 'utf8'); - const contentHash = crypto.createHash('md5').update(raw).digest('hex'); - if (cache[relPath] && cache[relPath].mtime === mtime && cache[relPath].hash === contentHash) { - return cache[relPath].post; - } - const parts = relPath.split('/'); - if (parts.length !== 3 && !relPath.startsWith('pages/')) return null; - const section = parts[0]; - const year = parts[1]; - const file = parts[2]; - const {fm, body} = parseFrontMatter(raw); - if (!fm.section || fm.section !== section) { - console.warn(`⚠️ [${relPath}] Section mismatch or missing.`); - return null; - } - if (!includeDrafts && fm.status === 'draft') { - draftCount++; - return null; - } - const title = fm.title || file.replace('.md', '').replace(/-/g, ' '); - let slug = fm.slug || slugify(title); - // Check for slug collisions - const existingSlugs = new Set(posts.map(p => p.slug)); - let counter = 1; - while (existingSlugs.has(slug)) { - slug = `${slug}-${++counter}`; - } - const dateStr = fm.date || `${year}-01-01`; - const dateObj = toISODate(dateStr, stat.mtime); - const dateISO = dateObj.toISOString().split('T')[0]; - let excerpt = fm.excerpt || firstParagraph(body); - if (excerpt.length > 200) excerpt = excerpt.slice(0, 200) + '…'; - const words = body.split(/\s+/).length; - const readingTime = Math.ceil(words / 200); - const tags = Array.isArray(fm.tags) ? fm.tags : (fm.tags ? [fm.tags] : []); - const cover = fm.cover; - const author = fm.author || config.defaultAuthor; - const series = fm.series; - const programs = Array.isArray(fm.programs) ? fm.programs : (fm.programs ? [fm.programs] : []); - const id = crypto.createHash('md5').update(relPath).digest('hex'); - const post = {title, date: dateISO, excerpt, tags, section, slug, readingTime, cover, author, series, programs, id, file: relPath}; - newCache[relPath] = {mtime, hash: contentHash, post}; - return post; - }); - - let posts = (await Promise.all(postsPromises)).filter(Boolean); - posts.sort((a, b) => new Date(b.date) - new Date(a.date)); - - // Copy static files - const filesToCopy = ['index.html', 'styles.css', 'util.js', 'sanitize.js', 'render.js', 'app.js', 'mud.js', 'config.json']; - await Promise.all(filesToCopy.map(f => fs.copyFile(f, path.join(PUBLIC_DIR, f)))); - - // Copy content dir - async function copyDir(src, dest) { - await fs.mkdir(dest, {recursive: true}); - const entries = await fs.readdir(src, {withFileTypes: true}); - await Promise.all(entries.map(entry => { - const srcPath = path.join(src, entry.name); - const destPath = path.join(dest, entry.name); - return entry.isDirectory() ? copyDir(srcPath, destPath) : fs.copyFile(srcPath, destPath); - })); - } - await copyDir(CONTENT_DIR, path.join(PUBLIC_DIR, 'content')); - - await fs.writeFile(path.join(PUBLIC_DIR, 'index.json'), JSON.stringify(posts, null, 2)); - - const searchData = posts.map(p => ({title: p.title, excerpt: p.excerpt, tags: p.tags.join(' '), section: p.section, slug: p.slug})); - await fs.writeFile(path.join(PUBLIC_DIR, 'search.json'), JSON.stringify(searchData, null, 2)); - - async function getPages(dir){ - const out = []; - const entries = await fs.readdir(dir, { withFileTypes: true }).catch(()=>[]); - for (const e of entries) { - const p = path.join(dir, e.name); - if (e.isDirectory()) { - out.push(...await getPages(p)); - } else if (e.name.endsWith('.md')) { - const raw = await fs.readFile(p, 'utf8'); - const { fm, body } = parseFrontMatter(raw); - if (fm?.status === 'draft' && !includeDrafts) continue; - const rel = path.relative(CONTENT_DIR, p).replace(/\\/g,'/'); - const title = fm?.title || e.name.replace('.md',''); - const slug = (fm?.key || slugify(title)); - const excerpt = (fm?.excerpt || firstParagraph(body)).slice(0,200) + (firstParagraph(body).length>200?'…':''); - out.push({ title, slug, excerpt, file: rel, type: 'page' }); - } - } - return out; - } - - const pages = await getPages(path.join(CONTENT_DIR, 'pages')); - await fs.writeFile(path.join(PUBLIC_DIR, 'pages.json'), JSON.stringify(pages, null, 2)); - - const allSections = [...new Set(posts.map(p => p.section))]; - const today = new Date().toISOString().split('T')[0]; - const sitemapHome = `${escapeXML(config.siteUrl)}${today}`; - const sitemapSections = allSections.map(s => `${escapeXML(`${config.siteUrl}/#/section/${s}`)}${today}`).join(''); - const sitemapPosts = posts.map(p => `${escapeXML(`${config.siteUrl}/#/post/${p.slug}`)}${p.date}`).join(''); - const sitemap = `${sitemapHome}${sitemapSections}${sitemapPosts}`; - await fs.writeFile(path.join(PUBLIC_DIR, 'sitemap.xml'), sitemap); - - const rssItems = posts.map(p => { - let item = `${escapeXML(p.title)}${escapeXML(`${config.siteUrl}/#/post/${p.slug}`)}${escapeXML(`${config.siteUrl}/#/post/${p.slug}`)}${new Date(p.date).toUTCString()}${escapeXML(p.excerpt)}`; - if (p.author) item += `${escapeXML(p.author)}`; - item += `${escapeXML(p.excerpt)}

Reading time: ${p.readingTime} min

]]>
`; - if (p.cover) item += ``; - item += `
`; - return item; - }).join(''); - const rss = `${escapeXML(config.siteTitle)}${escapeXML(config.siteUrl)}${escapeXML(config.siteDescription)}${new Date().toUTCString()}${rssItems}`; - await fs.writeFile(path.join(PUBLIC_DIR, 'rss.xml'), rss); - - await fs.writeFile(CACHE_FILE, JSON.stringify(newCache)); - console.log(`✅ Built ${posts.length} posts`); - if (includeDrafts) console.log(`Included ${draftCount} draft(s)`); -} - -main().catch(console.error); diff --git a/docs/primer.md b/docs/primer.md new file mode 100755 index 0000000..7b3c862 --- /dev/null +++ b/docs/primer.md @@ -0,0 +1,13 @@ +# Primer for The Fold Within Earth + +## 5-Min Overview +The Fold is a static Markdown blog that becomes a P2P MUD when JS is enabled. Content in /atlas, built to /dist. + +## 30-Min Deep Dive +- Schema: YAML front-matter in .md. +- Validation: foldlint.js checks schema, graphs, hashes, signatures. +- Build: Generates HTML with links, sanitizes Markdown. +- Witness: Ephemeral chat via WebRTC, offline localStorage. +- Scribe: Appends deltas atomically. + +For full canon, refer to blueprint. diff --git a/genesis/aether.json b/genesis/aether.json new file mode 100755 index 0000000..85a9145 --- /dev/null +++ b/genesis/aether.json @@ -0,0 +1,12 @@ +{ + "version": "2.3", + "peers": [ + { + "pubkey": "example-pubkey-Qm123", + "endpoint": "wss://example-relay.com", + "last_seen": "2025-10-19T00:00:00Z" + } + ], + "signature": "example-ed25519-multisig", + "valid_until": "2026-01-01T00:00:00Z" +} diff --git a/migrations/v2_2/transform.js b/migrations/v2_2/transform.js new file mode 100755 index 0000000..92a2f65 --- /dev/null +++ b/migrations/v2_2/transform.js @@ -0,0 +1,10 @@ +// Migration from v2.2 to v2.3: Add migration_hash if missing +import crypto from 'crypto'; + +export default function transform(meta, content) { + if (!meta.migration_hash) { + const hash = crypto.createHash('sha256').update(JSON.stringify(meta) + content).digest('hex'); + meta.migration_hash = hash; + } + return meta; +}; diff --git a/node_modules/.package-lock.json b/node_modules/.package-lock.json index 81f3a72..9fd7d16 100755 --- a/node_modules/.package-lock.json +++ b/node_modules/.package-lock.json @@ -1,368 +1,86 @@ { - "name": "the-fold-within-earth", - "version": "1.0.0", + "name": "thefoldwithin-earth", + "version": "2.3.0", "lockfileVersion": 3, "requires": true, "packages": { - "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, - "dependencies": { - "color-convert": "^2.0.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, "node_modules/argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", - "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", - "dev": true + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==" }, - "node_modules/async": { - "version": "3.2.6", - "resolved": "https://registry.npmjs.org/async/-/async-3.2.6.tgz", - "integrity": "sha512-htCUDlxyyCLMgaM3xXg0C0LW2xqfuQ6p05pCEIsXuyQ+a1koYKTuBMzRNwmybfLgvJDMd0r1LTn4+E0Ti6C2AA==", - "dev": true - }, - "node_modules/basic-auth": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/basic-auth/-/basic-auth-2.0.1.tgz", - "integrity": "sha512-NF+epuEdnUYVlGuhaxbbq+dvJttwLnGY+YixlXlME5KpQ5W3CnXA5cVTneY3SPbPDRkcjMbifrwmFYcClgOZeg==", - "dev": true, - "dependencies": { - "safe-buffer": "5.1.2" - }, + "node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", "engines": { - "node": ">= 0.8" - } - }, - "node_modules/call-bind-apply-helpers": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", - "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", - "dev": true, - "dependencies": { - "es-errors": "^1.3.0", - "function-bind": "^1.1.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/call-bound": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/call-bound/-/call-bound-1.0.4.tgz", - "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", - "dev": true, - "dependencies": { - "call-bind-apply-helpers": "^1.0.2", - "get-intrinsic": "^1.3.0" - }, - "engines": { - "node": ">= 0.4" + "node": ">=0.12" }, "funding": { - "url": "https://github.com/sponsors/ljharb" + "url": "https://github.com/fb55/entities?sponsor=1" } }, - "node_modules/chalk": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", - "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", - "dev": true, - "dependencies": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" }, "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/chalk?sponsor=1" + "node": ">=4" } }, - "node_modules/color-convert": { + "node_modules/extend-shallow": { "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, + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", "dependencies": { - "color-name": "~1.1.4" + "is-extendable": "^0.1.0" }, "engines": { - "node": ">=7.0.0" + "node": ">=0.10.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 - }, - "node_modules/corser": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/corser/-/corser-2.0.1.tgz", - "integrity": "sha512-utCYNzRSQIZNPIcGZdQc92UVJYAhtGAteCFg0yRaFm8f0P+CPtyGyHXJcGXnffjCybUCEx3FQ2G7U3/o9eIkVQ==", - "dev": true, - "engines": { - "node": ">= 0.4.0" - } - }, - "node_modules/debug": { - "version": "4.4.3", - "resolved": "https://registry.npmjs.org/debug/-/debug-4.4.3.tgz", - "integrity": "sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==", - "dev": true, + "node_modules/gray-matter": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/gray-matter/-/gray-matter-4.0.3.tgz", + "integrity": "sha512-5v6yZd4JK3eMI3FqqCouswVqwugaA9r4dNZB1wwcmrD02QkV5H0y7XBQW8QwQqEaZY1pM9aqORSORhJRdNK44Q==", "dependencies": { - "ms": "^2.1.3" + "js-yaml": "^3.13.1", + "kind-of": "^6.0.2", + "section-matter": "^1.0.0", + "strip-bom-string": "^1.0.0" }, "engines": { "node": ">=6.0" - }, - "peerDependenciesMeta": { - "supports-color": { - "optional": true - } } }, - "node_modules/dunder-proto": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", - "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", - "dev": true, + "node_modules/gray-matter/node_modules/argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", "dependencies": { - "call-bind-apply-helpers": "^1.0.1", - "es-errors": "^1.3.0", - "gopd": "^1.2.0" - }, - "engines": { - "node": ">= 0.4" + "sprintf-js": "~1.0.2" } }, - "node_modules/es-define-property": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", - "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", - "dev": true, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-errors": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", - "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", - "dev": true, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-object-atoms": { - "version": "1.1.1", - "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", - "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", - "dev": true, + "node_modules/gray-matter/node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", "dependencies": { - "es-errors": "^1.3.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/eventemitter3": { - "version": "4.0.7", - "resolved": "https://registry.npmjs.org/eventemitter3/-/eventemitter3-4.0.7.tgz", - "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", - "dev": true - }, - "node_modules/follow-redirects": { - "version": "1.15.11", - "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.11.tgz", - "integrity": "sha512-deG2P0JfjrTxl50XGCDyfI97ZGVCxIpfKYmfyrQ54n5FO/0gfIES8C/Psl6kWVDolizcaaxZJnTS0QSMxvnsBQ==", - "dev": true, - "funding": [ - { - "type": "individual", - "url": "https://github.com/sponsors/RubenVerborgh" - } - ], - "engines": { - "node": ">=4.0" - }, - "peerDependenciesMeta": { - "debug": { - "optional": true - } - } - }, - "node_modules/function-bind": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", - "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", - "dev": true, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/get-intrinsic": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", - "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", - "dev": true, - "dependencies": { - "call-bind-apply-helpers": "^1.0.2", - "es-define-property": "^1.0.1", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.1.1", - "function-bind": "^1.1.2", - "get-proto": "^1.0.1", - "gopd": "^1.2.0", - "has-symbols": "^1.1.0", - "hasown": "^2.0.2", - "math-intrinsics": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/get-proto": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", - "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", - "dev": true, - "dependencies": { - "dunder-proto": "^1.0.1", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/gopd": { - "version": "1.2.0", - "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", - "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", - "dev": true, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-flag": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", - "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", - "dev": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/has-symbols": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", - "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", - "dev": true, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/hasown": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", - "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", - "dev": true, - "dependencies": { - "function-bind": "^1.1.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/he": { - "version": "1.2.0", - "resolved": "https://registry.npmjs.org/he/-/he-1.2.0.tgz", - "integrity": "sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==", - "dev": true, - "bin": { - "he": "bin/he" - } - }, - "node_modules/html-encoding-sniffer": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-3.0.0.tgz", - "integrity": "sha512-oWv4T4yJ52iKrufjnyZPkrN0CH3QnrUqdB6In1g5Fe1mia8GmF36gnfNySxoZtxD5+NmYw1EElVXiBk93UeskA==", - "dev": true, - "dependencies": { - "whatwg-encoding": "^2.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/http-proxy": { - "version": "1.18.1", - "resolved": "https://registry.npmjs.org/http-proxy/-/http-proxy-1.18.1.tgz", - "integrity": "sha512-7mz/721AbnJwIVbnaSv1Cz3Am0ZLT/UBwkC92VlxhXv/k/BBQfM2fXElQNC27BVGr0uwUpplYPQM9LnaBMR5NQ==", - "dev": true, - "dependencies": { - "eventemitter3": "^4.0.0", - "follow-redirects": "^1.0.0", - "requires-port": "^1.0.0" - }, - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/http-server": { - "version": "14.1.1", - "resolved": "https://registry.npmjs.org/http-server/-/http-server-14.1.1.tgz", - "integrity": "sha512-+cbxadF40UXd9T01zUHgA+rlo2Bg1Srer4+B4NwIHdaGxAGGv59nYRnGGDJ9LBk7alpS0US+J+bLLdQOOkJq4A==", - "dev": true, - "dependencies": { - "basic-auth": "^2.0.1", - "chalk": "^4.1.2", - "corser": "^2.0.1", - "he": "^1.2.0", - "html-encoding-sniffer": "^3.0.0", - "http-proxy": "^1.18.1", - "mime": "^1.6.0", - "minimist": "^1.2.6", - "opener": "^1.5.1", - "portfinder": "^1.0.28", - "secure-compare": "3.0.1", - "union": "~0.5.0", - "url-join": "^4.0.1" + "argparse": "^1.0.7", + "esprima": "^4.0.0" }, "bin": { - "http-server": "bin/http-server" - }, - "engines": { - "node": ">=12" + "js-yaml": "bin/js-yaml.js" } }, - "node_modules/iconv-lite": { - "version": "0.6.3", - "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", - "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", - "dev": true, - "dependencies": { - "safer-buffer": ">= 2.1.2 < 3.0.0" - }, + "node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", "engines": { "node": ">=0.10.0" } @@ -371,7 +89,6 @@ "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", - "dev": true, "dependencies": { "argparse": "^2.0.1" }, @@ -379,228 +96,90 @@ "js-yaml": "bin/js-yaml.js" } }, - "node_modules/math-intrinsics": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", - "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", - "dev": true, + "node_modules/kind-of": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", + "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", "engines": { - "node": ">= 0.4" + "node": ">=0.10.0" } }, - "node_modules/mime": { - "version": "1.6.0", - "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", - "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", - "dev": true, + "node_modules/linkify-it": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/linkify-it/-/linkify-it-5.0.0.tgz", + "integrity": "sha512-5aHCbzQRADcdP+ATqnDuhhJ/MRIqDkZX5pyjFHRRysS8vZ5AbqGEoFIb6pYHPZ+L/OC2Lc+xT8uHVVR5CAK/wQ==", + "dependencies": { + "uc.micro": "^2.0.0" + } + }, + "node_modules/markdown-it": { + "version": "14.1.0", + "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-14.1.0.tgz", + "integrity": "sha512-a54IwgWPaeBCAAsv13YgmALOF1elABB08FxO9i+r4VFk5Vl4pKokRPeX8u5TCgSsPi6ec1otfLjdOpVcgbpshg==", + "dependencies": { + "argparse": "^2.0.1", + "entities": "^4.4.0", + "linkify-it": "^5.0.0", + "mdurl": "^2.0.0", + "punycode.js": "^2.3.1", + "uc.micro": "^2.1.0" + }, "bin": { - "mime": "cli.js" + "markdown-it": "bin/markdown-it.mjs" + } + }, + "node_modules/markdown-it-sanitizer": { + "version": "0.4.3", + "resolved": "https://registry.npmjs.org/markdown-it-sanitizer/-/markdown-it-sanitizer-0.4.3.tgz", + "integrity": "sha512-0Q2ua8+oDN7/3r5UXMnbVq8C+LRfT2pzVKA+h4nXTLEMBFQDwp7qJZOe7DkBa79C7V2cSBXJyScxJ7vYs9kE2w==" + }, + "node_modules/mdurl": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/mdurl/-/mdurl-2.0.0.tgz", + "integrity": "sha512-Lf+9+2r+Tdp5wXDXC4PcIBjTDtq4UKjCPMQhKIuzpJNW0b96kVqSwW0bT7FhRSfmAiFYgP+SCRvdrDozfh0U5w==" + }, + "node_modules/punycode.js": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode.js/-/punycode.js-2.3.1.tgz", + "integrity": "sha512-uxFIHU0YlHYhDQtV4R9J6a52SLx28BCjT+4ieh7IGbgwVJWO+km431c4yRlREUAsAmt/uMjQUyQHNEPf0M39CA==", + "engines": { + "node": ">=6" + } + }, + "node_modules/section-matter": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/section-matter/-/section-matter-1.0.0.tgz", + "integrity": "sha512-vfD3pmTzGpufjScBh50YHKzEu2lxBWhVEHsNGoEXmCmn2hKGfeNLYMzCJpe8cD7gqX7TJluOVpBkAequ6dgMmA==", + "dependencies": { + "extend-shallow": "^2.0.1", + "kind-of": "^6.0.0" }, "engines": { "node": ">=4" } }, - "node_modules/minimist": { - "version": "1.2.8", - "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.8.tgz", - "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==", - "dev": true, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==" }, - "node_modules/ms": { - "version": "2.1.3", - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", - "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", - "dev": true - }, - "node_modules/object-inspect": { - "version": "1.13.4", - "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.4.tgz", - "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", - "dev": true, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/opener": { - "version": "1.5.2", - "resolved": "https://registry.npmjs.org/opener/-/opener-1.5.2.tgz", - "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", - "dev": true, - "bin": { - "opener": "bin/opener-bin.js" - } - }, - "node_modules/portfinder": { - "version": "1.0.38", - "resolved": "https://registry.npmjs.org/portfinder/-/portfinder-1.0.38.tgz", - "integrity": "sha512-rEwq/ZHlJIKw++XtLAO8PPuOQA/zaPJOZJ37BVuN97nLpMJeuDVLVGRwbFoBgLudgdTMP2hdRJP++H+8QOA3vg==", - "dev": true, - "dependencies": { - "async": "^3.2.6", - "debug": "^4.3.6" - }, - "engines": { - "node": ">= 10.12" - } - }, - "node_modules/qs": { - "version": "6.14.0", - "resolved": "https://registry.npmjs.org/qs/-/qs-6.14.0.tgz", - "integrity": "sha512-YWWTjgABSKcvs/nWBi9PycY/JiPJqOD4JA6o9Sej2AtvSGarXxKC3OQSk4pAarbdQlKAh5D4FCQkJNkW+GAn3w==", - "dev": true, - "dependencies": { - "side-channel": "^1.1.0" - }, - "engines": { - "node": ">=0.6" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/requires-port": { + "node_modules/strip-bom-string": { "version": "1.0.0", - "resolved": "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz", - "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==", - "dev": true - }, - "node_modules/safe-buffer": { - "version": "5.1.2", - "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", - "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", - "dev": true - }, - "node_modules/safer-buffer": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", - "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", - "dev": true - }, - "node_modules/secure-compare": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/secure-compare/-/secure-compare-3.0.1.tgz", - "integrity": "sha512-AckIIV90rPDcBcglUwXPF3kg0P0qmPsPXAj6BBEENQE1p5yA1xfmDJzfi1Tappj37Pv2mVbKpL3Z1T+Nn7k1Qw==", - "dev": true - }, - "node_modules/side-channel": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.1.0.tgz", - "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", - "dev": true, - "dependencies": { - "es-errors": "^1.3.0", - "object-inspect": "^1.13.3", - "side-channel-list": "^1.0.0", - "side-channel-map": "^1.0.1", - "side-channel-weakmap": "^1.0.2" - }, + "resolved": "https://registry.npmjs.org/strip-bom-string/-/strip-bom-string-1.0.0.tgz", + "integrity": "sha512-uCC2VHvQRYu+lMh4My/sFNmF2klFymLX1wHJeXnbEJERpV/ZsVuonzerjfrGpIGF7LBVa1O7i9kjiWvJiFck8g==", "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" + "node": ">=0.10.0" } }, - "node_modules/side-channel-list": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/side-channel-list/-/side-channel-list-1.0.0.tgz", - "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", - "dev": true, - "dependencies": { - "es-errors": "^1.3.0", - "object-inspect": "^1.13.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } + "node_modules/tweetnacl": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/tweetnacl/-/tweetnacl-1.0.3.tgz", + "integrity": "sha512-6rt+RN7aOi1nGMyC4Xa5DdYiukl2UWCbcJft7YhxReBGQD7OAM8Pbxw6YMo4r2diNEA8FEmu32YOn9rhaiE5yw==" }, - "node_modules/side-channel-map": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/side-channel-map/-/side-channel-map-1.0.1.tgz", - "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", - "dev": true, - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.5", - "object-inspect": "^1.13.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-weakmap": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", - "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", - "dev": true, - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.5", - "object-inspect": "^1.13.3", - "side-channel-map": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/supports-color": { - "version": "7.2.0", - "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", - "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", - "dev": true, - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/union": { - "version": "0.5.0", - "resolved": "https://registry.npmjs.org/union/-/union-0.5.0.tgz", - "integrity": "sha512-N6uOhuW6zO95P3Mel2I2zMsbsanvvtgn6jVqJv4vbVcz/JN0OkL9suomjQGmWtxJQXOCqUJvquc1sMeNz/IwlA==", - "dev": true, - "dependencies": { - "qs": "^6.4.0" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/url-join": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/url-join/-/url-join-4.0.1.tgz", - "integrity": "sha512-jk1+QP6ZJqyOiuEI9AEWQfju/nB2Pw466kbA0LEZljHwKeMgd9WrAEgEGxjPDD2+TNbbb37rTyhEfrCXfuKXnA==", - "dev": true - }, - "node_modules/whatwg-encoding": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-2.0.0.tgz", - "integrity": "sha512-p41ogyeMUrw3jWclHWTQg1k05DSVXPLcVxRTYsXUk+ZooOCZLcoYgPZ/HL/D/N+uQPOtcp1me1WhBEaX02mhWg==", - "dev": true, - "dependencies": { - "iconv-lite": "0.6.3" - }, - "engines": { - "node": ">=12" - } + "node_modules/uc.micro": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-2.1.0.tgz", + "integrity": "sha512-ARDJmphmdvUk6Glw7y9DQ2bFkKBHwQHLi2lsaH6PPmz/Ka9sFOBsBluozhDltWmnv9u/cF6Rt87znRTPV+yp/A==" } } } diff --git a/node_modules/.vite/deps_temp_14c96b05/package.json b/node_modules/.vite/deps_temp_14c96b05/package.json deleted file mode 100755 index 3dbc1ca..0000000 --- a/node_modules/.vite/deps_temp_14c96b05/package.json +++ /dev/null @@ -1,3 +0,0 @@ -{ - "type": "module" -} diff --git a/package.json b/package.json index c55197e..0457123 100755 --- a/package.json +++ b/package.json @@ -1,17 +1,23 @@ { - "name": "the-fold-within-earth", - "version": "1.0.0", - "private": true, - "scripts": { - "build": "node build.mjs", - "serve": "http-server public" - }, - "engines": { - "node": ">=18" - }, + "name": "thefoldwithin-earth", + "version": "2.3.0", + "description": "Canonical Minimal Implementation of The Fold Within Earth", + "main": "tools/build.js", "type": "module", - "devDependencies": { + "scripts": { + "build": "node tools/build.js", + "lint": "node tools/foldlint.js", + "scribe": "node tools/scribe.js", + "test": "echo \"Implement foldtest harness in annex\"" + }, + "dependencies": { + "gray-matter": "^4.0.3", "js-yaml": "^4.1.0", - "http-server": "^14.1.1" - } + "markdown-it": "^14.1.0", + "markdown-it-sanitizer": "^0.4.3", + "tweetnacl": "^1.0.3" + }, + "devDependencies": {}, + "author": "Mark Randall Havens", + "license": "MIT" } diff --git a/public/styles.css b/public/styles.css new file mode 100755 index 0000000..1479ee4 --- /dev/null +++ b/public/styles.css @@ -0,0 +1,4 @@ +body { font-family: monospace; background: #f0f0f0; } +.room { border: 1px solid #ccc; padding: 1em; } +.exits a { display: block; } +.chat { border-top: 1px solid #000; margin-top: 1em; } diff --git a/public/witness.js b/public/witness.js new file mode 100755 index 0000000..13afe45 --- /dev/null +++ b/public/witness.js @@ -0,0 +1,53 @@ +// Browser-safe Witness Layer: Ephemeral P2P chat (WebRTC stub; full in annex) +// Use window.crypto for PoW + +async function sha256(message) { + const msgBuffer = new TextEncoder().encode(message); + const hashBuffer = await window.crypto.subtle.digest('SHA-256', msgBuffer); + const hashArray = Array.from(new Uint8Array(hashBuffer)); + return hashArray.map(b => b.toString(16).padStart(2, '0')).join(''); +} + +async function computePoW(nonce, difficulty = 4, maxIter = 1e6) { + let i = 0; + while (i < maxIter) { + const hash = await sha256(nonce.toString()); + if (hash.startsWith('0'.repeat(difficulty))) return nonce; + nonce++; + i++; + } + throw new Error('PoW max iterations exceeded'); +} + +function initWitness(roomId) { + // WebRTC stub with quarantine: No direct storage write + const rtcConfig = { iceServers: [{ urls: 'stun:stun.l.google.com:19302' }] }; // Trusted STUN only + const peerConnection = new RTCPeerConnection(rtcConfig); + const channel = peerConnection.createDataChannel('chat'); + channel.onmessage = e => { + document.getElementById('chat').innerHTML += `

${e.data}

`; + }; + + // Bootstrap from Genesis (stub: load aether.json via fetch) + fetch('/genesis/aether.json').then(res => res.json()).then(genesis => { + console.log('Bootstrapped from Genesis:', genesis); + // Signal to peers (annex for full signaling) + }); + + // Offline mode: localStorage persistence + const localState = localStorage.getItem('witness_state') || '{}'; + console.log('Offline state loaded:', localState); + + // Send with PoW + document.getElementById('send').addEventListener('click', async () => { + const msg = document.getElementById('msg').value; + const nonce = await computePoW(0); + const payload = JSON.stringify({ msg, nonce }); + channel.send(payload); + // Persist offline + localStorage.setItem('witness_state', JSON.stringify({ lastMsg: msg })); + }); +} + +// Expose +window.witness = { connect: initWitness }; diff --git a/signatures/posts_the-path-of-self.md.sig b/signatures/posts_the-path-of-self.md.sig new file mode 100755 index 0000000..3ca6f54 --- /dev/null +++ b/signatures/posts_the-path-of-self.md.sig @@ -0,0 +1 @@ +ed25519_signature:example_hex_signature_for_the-path-of-self.md diff --git a/signatures/rooms_fold-within-earth.md.sig b/signatures/rooms_fold-within-earth.md.sig new file mode 100755 index 0000000..2e162c1 --- /dev/null +++ b/signatures/rooms_fold-within-earth.md.sig @@ -0,0 +1 @@ +ed25519_signature:example_hex_signature_for_fold-within-earth.md diff --git a/signatures/rooms_library-of-fold.md.sig b/signatures/rooms_library-of-fold.md.sig new file mode 100755 index 0000000..b38e0d0 --- /dev/null +++ b/signatures/rooms_library-of-fold.md.sig @@ -0,0 +1 @@ +ed25519_signature:example_hex_signature_for_library-of-fold.md diff --git a/tools/build.js b/tools/build.js new file mode 100755 index 0000000..dedd69d --- /dev/null +++ b/tools/build.js @@ -0,0 +1,141 @@ +import fs from 'fs/promises'; +import path from 'path'; +import matter from 'gray-matter'; +import yaml from 'js-yaml'; +import md from 'markdown-it'; +import sanitizer from 'markdown-it-sanitizer'; +import crypto from 'crypto'; +import nacl from 'tweetnacl'; +import { validate, detectCycles } from './foldlint.js'; + +const mdParser = md().use(sanitizer); + +// Collect files async, deterministic sort +async function collectFiles(dir) { + let files = []; + const entries = await fs.readdir(dir, { withFileTypes: true }); + entries.sort((a, b) => a.name.localeCompare(b.name)); + for (const entry of entries) { + const fullPath = path.join(dir, entry.name); + if (entry.isDirectory()) { + files = [...files, ...(await collectFiles(fullPath))]; + } else if (entry.name.endsWith('.md')) { + files.push(fullPath); + } + } + return files; +} + +// Generate HTML +function generateHTML(meta, bodyHtml, exits) { + return ` + + + + ${meta.title} + + + + + +
+

${meta.title}

+ ${bodyHtml} +
+ ${exits.map(exit => `${exit.label}`).join('')} +
+
+ +
+ + + + `; +} + +// Canonical hash (exclude id from frontmatter) +function canonicalHash(meta, body) { + const metaClone = { ...meta }; + delete metaClone.id; // Exclude id to avoid circularity + const frontYaml = yaml.dump(metaClone, { noRefs: true }).trim(); + const content = frontYaml + '\n' + body.trim(); + const lines = content.split('\n'); + const trimmedLines = lines.map(line => line.replace(/\s+$/, '')); + const normalized = trimmedLines.join('\n'); + return crypto.createHash('sha256').update(normalized).digest('hex'); +} + +// Build +async function build() { + const atlasDir = path.join(process.cwd(), 'atlas'); + const distDir = path.join(process.cwd(), 'dist'); + await fs.mkdir(distDir, { recursive: true }); + + const files = await collectFiles(atlasDir); + + // Validate all + for (const file of files) { + await validate(file); + console.log(`Validated: ${file}`); + } + + // Build graph + const graph = {}; + const idToFile = {}; + const slugToId = {}; + for (const file of files) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta } = matter(content); + graph[meta.id] = meta.exits ? meta.exits.map(e => e.to) : []; + idToFile[meta.id] = file; + slugToId[meta.id.split('@')[0]] = meta.id; // Map kind:slug to full id + } + + // Check broken links and cycles + Object.keys(graph).forEach(id => { + graph[id].forEach(to => { + let resolvedTo = to; + if (!graph[to] && slugToId[to]) { + resolvedTo = slugToId[to]; // Resolve kind:slug to full id + } + if (!graph[resolvedTo]) { + console.error(`Available IDs: ${Object.keys(graph).join(', ')}`); + throw new Error(`Broken link: ${to} from ${id}`); + } + }); + }); + detectCycles(graph); // Throws if cycle + + // Generate HTML + const buildManifest = { files: [] }; + for (const file of files) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta, content: body } = matter(content); + + // Hash verify + const computed = canonicalHash(meta, body); + const idHash = meta.id.split('@sha256:')[1]; + if (computed !== idHash) throw new Error(`Hash mismatch in ${file}: computed=${computed}, expected=${idHash}`); + + const bodyHtml = mdParser.render(body); + const html = generateHTML(meta, bodyHtml, meta.exits || []); + + const slug = meta.id.split(':')[1].split('@')[0]; + const outPath = path.join(distDir, `${slug}.html`); + await fs.writeFile(outPath, html); + buildManifest.files.push({ path: outPath, hash: crypto.createHash('sha256').update(html).digest('hex') }); + } + + // Copy public + await fs.cp(path.join(process.cwd(), 'public'), distDir, { recursive: true }); + + // Sitemap stub + await fs.writeFile(path.join(distDir, 'sitemap.xml'), 'Stub'); + + // Write build manifest + await fs.writeFile(path.join(distDir, 'manifest.json'), JSON.stringify(buildManifest)); + + console.log('Build complete.'); +} + +build().catch(console.error); diff --git a/tools/foldlint.js b/tools/foldlint.js new file mode 100755 index 0000000..4af26ae --- /dev/null +++ b/tools/foldlint.js @@ -0,0 +1,141 @@ +import fs from 'fs/promises'; +import path from 'path'; +import matter from 'gray-matter'; +import yaml from 'js-yaml'; +import crypto from 'crypto'; +import nacl from 'tweetnacl'; + +// Error codes +const ERRORS = { + S001: 'Missing field', + S002: 'Invalid type', + G001: 'Broken exit', + G002: 'Circular link', + H001: 'Hash mismatch', + V001: 'Spec version unsupported', + M001: 'Migration checksum fail', + Sig001: 'Signature invalid', + V002: 'Unquoted spec_version; quote recommended', + Y001: 'Block scalar in exits.to; use inline string', + G003: 'Invalid exit hash' +}; + +// Canonical hash (exclude id from frontmatter) +function canonicalHash(meta, body) { + const metaClone = { ...meta }; + delete metaClone.id; // Exclude id to avoid circularity + const frontYaml = yaml.dump(metaClone, { noRefs: true, lineWidth: -1 }).trim(); + const content = frontYaml + '\n' + body.trim(); + const lines = content.split('\n'); + const trimmedLines = lines.map(line => line.replace(/\s+$/, '')); + const normalized = trimmedLines.join('\n'); + return crypto.createHash('sha256').update(normalized).digest('hex'); +} + +// DFS cycle detection +function detectCycles(graph) { + const visited = new Set(); + const recStack = new Set(); + + function dfs(node) { + visited.add(node); + recStack.add(node); + for (const neighbor of graph[node] || []) { + if (!visited.has(neighbor)) { + if (dfs(neighbor)) return true; + } else if (recStack.has(neighbor)) { + return true; // Cycle + } + } + recStack.delete(node); + return false; + } + + for (const node in graph) { + if (!visited.has(node) && dfs(node)) { + throw new Error(ERRORS.G002); + } + } +} + +// Validate async +async function validate(file, idToFile = {}) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta, content: body } = matter(content); + + // Required fields + const required = ['spec_version', 'id', 'title', 'author', 'date', 'kind', 'medium', 'summary']; + required.forEach(field => { + if (!meta[field]) throw new Error(`${ERRORS.S001}: ${field}`); + }); + + // Enums + const specVersion = String(meta.spec_version); + if (specVersion !== '2.3') { + throw new Error(`${ERRORS.V001}: found ${specVersion}`); + } + if (typeof meta.spec_version !== 'string') { + console.warn(`${ERRORS.V002}: ${file} (parsed as ${typeof meta.spec_version}: ${meta.spec_version})`); + } + if (!['room', 'post', 'artifact'].includes(meta.kind)) throw new Error(`${ERRORS.S002}: kind`); + if (!['textual', 'graphical', 'interactive'].includes(meta.medium)) throw new Error(`${ERRORS.S002}: medium`); + + // Check exits.to for block scalars + if (meta.exits) { + meta.exits.forEach((exit, i) => { + if (typeof exit.to === 'string' && exit.to.includes('\n')) { + console.warn(`${ERRORS.Y001}: ${file} at exits[${i}].to`); + } + }); + } + + // Hash verify + const computed = canonicalHash(meta, body); + const idHash = meta.id.split('@sha256:')[1]; + if (computed !== idHash) throw new Error(`${ERRORS.H001}: computed=${computed}, expected=${idHash}`); + + // Validate exit hashes + if (meta.exits && idToFile) { + meta.exits.forEach((exit, i) => { + const to = exit.to; + if (to.includes('@sha256:') && idToFile[to]) { + const targetContent = fs.readFileSync(idToFile[to], 'utf8'); + const targetMeta = matter(targetContent).data; + const targetComputed = canonicalHash(targetMeta, matter(targetContent).content); + const targetIdHash = to.split('@sha256:')[1]; + if (targetComputed !== targetIdHash) { + throw new Error(`${ERRORS.G003}: Invalid hash in exits[${i}].to=${to} in ${file}`); + } + } + }); + } + + // Migration if <2.3 (e.g., v2.2) + if (specVersion === '2.2') { + const transform = (await import('../migrations/v2_2/transform.js')).default; + meta = transform(meta, body); + const migHash = crypto.createHash('sha256').update(JSON.stringify(meta) + body).digest('hex'); + if (meta.migration_hash !== migHash) throw new Error(`${ERRORS.M001}: computed=${migHash}`); + } + + // Signature verify + const rel = path.relative(path.join(process.cwd(), 'atlas'), file).replace(/[\\/]/g, '_'); + const sigFile = path.join(process.cwd(), 'signatures', rel + '.sig'); + try { + await fs.access(sigFile); + const sigContent = await fs.readFile(sigFile, 'utf8'); + const sig = Buffer.from(sigContent.split(':')[1].trim(), 'hex'); + const pubKey = Buffer.from('example_pubkey_hex', 'hex'); // Annex for real keys + const message = Buffer.from(content); + const valid = nacl.sign.detached.verify(message, sig, pubKey); + if (!valid) throw new Error(`${ERRORS.Sig001}: ${sigFile}`); + } catch { + return; // Skip if missing + } + + // Append report to jsonl + const report = { file, status: 'valid', timestamp: new Date().toISOString() }; + await fs.appendFile('foldlint.jsonl', JSON.stringify(report) + '\n'); +} + +export { validate, detectCycles }; diff --git a/tools/hash.js b/tools/hash.js new file mode 100755 index 0000000..bb1b833 --- /dev/null +++ b/tools/hash.js @@ -0,0 +1,125 @@ +import fs from 'fs/promises'; +import path from 'path'; +import matter from 'gray-matter'; +import yaml from 'js-yaml'; +import crypto from 'crypto'; + +// Canonical hash (exclude id from frontmatter) +function canonicalHash(meta, body) { + const metaClone = { ...meta }; + delete metaClone.id; // Exclude id to avoid circularity + const frontYaml = yaml.dump(metaClone, { noRefs: true, lineWidth: -1 }).trim(); + const content = frontYaml + '\n' + body.trim(); + const lines = content.split('\n'); + const trimmedLines = lines.map(line => line.replace(/\s+$/, '')); + const normalized = trimmedLines.join('\n'); + return { hash: crypto.createHash('sha256').update(normalized).digest('hex'), normalized }; +} + +// Compute canonical hash for a file +async function computeHash(file) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta, content: body } = matter(content); + // Warn about block scalars in exits.to + if (meta.exits) { + meta.exits.forEach((exit, i) => { + if (typeof exit.to === 'string' && exit.to.includes('\n')) { + console.warn(`Block scalar in exits[${i}].to: ${file}; use inline string`); + } + }); + } + const { hash, normalized } = canonicalHash(meta, body); + const expected = meta.id ? meta.id.split('@sha256:')[1] : 'none'; + console.log(`File: ${file}\nComputed: ${hash}\nExpected: ${expected}\nMatch: ${hash === expected}\nNormalized Content:\n${normalized}\n`); + console.log(`To fix, update id to: ${meta.id.split('@sha256:')[0]}@sha256:${hash}`); + return { file, computed: hash, expected, match: hash === expected }; +} + +// Fix hash in file +async function fixHash(file) { + const content = await fs.readFile(file, 'utf8'); + const { data: meta, content: body } = matter(content); + // Normalize exits.to to inline strings + if (meta.exits) { + meta.exits = meta.exits.map(exit => ({ + ...exit, + to: exit.to.replace(/\n/g, '').trim() + })); + } + const { hash } = canonicalHash(meta, body); + const kindSlug = meta.id.split('@sha256:')[0]; // Preserve 'kind:slug' + meta.id = kindSlug + '@sha256:' + hash; + const newContent = `---\n${yaml.dump(meta, { noRefs: true, lineWidth: -1 }).trim()}\n---\n${body.trim()}`; + await fs.writeFile(file, newContent); + console.log(`Fixed hash in ${file}: ${hash}`); +} + +// Validate mode (check without fixing) +async function validateHashes() { + const atlasDir = path.join(process.cwd(), 'atlas'); + const files = []; + async function collectFiles(dir) { + const entries = await fs.readdir(dir, { withFileTypes: true }); + entries.sort((a, b) => a.name.localeCompare(b.name)); + for (const entry of entries) { + const fullPath = path.join(dir, entry.name); + if (entry.isDirectory()) { + await collectFiles(fullPath); + } else if (entry.name.endsWith('.md')) { + files.push(fullPath); + } + } + } + await collectFiles(atlasDir); + + const results = []; + for (const file of files) { + const result = await computeHash(file); + results.push(result); + } + if (results.some(r => !r.match)) { + console.error('Hash mismatches detected. Run `node tools/hash.js fix` to update IDs.'); + process.exit(1); + } +} + +// Main +async function main() { + const mode = process.argv[2] || 'check'; + if (mode === 'validate') { + await validateHashes(); + return; + } + + const atlasDir = path.join(process.cwd(), 'atlas'); + const files = []; + async function collectFiles(dir) { + const entries = await fs.readdir(dir, { withFileTypes: true }); + entries.sort((a, b) => a.name.localeCompare(b.name)); + for (const entry of entries) { + const fullPath = path.join(dir, entry.name); + if (entry.isDirectory()) { + await collectFiles(fullPath); + } else if (entry.name.endsWith('.md')) { + files.push(fullPath); + } + } + } + await collectFiles(atlasDir); + + const results = []; + for (const file of files) { + if (mode === 'fix') { + await fixHash(file); + } else { + const result = await computeHash(file); + results.push(result); + } + } + if (mode === 'check' && results.some(r => !r.match)) { + console.error('Hash mismatches detected. Run `node tools/hash.js fix` to update IDs.'); + process.exit(1); + } +} + +main().catch(console.error); diff --git a/tools/scribe.js b/tools/scribe.js new file mode 100755 index 0000000..757caea --- /dev/null +++ b/tools/scribe.js @@ -0,0 +1,44 @@ +import fs from 'fs/promises'; +import path from 'path'; +import crypto from 'crypto'; + +// Daemon: Watch deltas.json, process atomically +async function processDeltas() { + const deltaFile = path.join(process.cwd(), 'scribe/deltas.json'); + const auditFile = path.join(process.cwd(), 'scribe/audit.jsonl'); + const chainFile = path.join(process.cwd(), 'scribe/chain'); + + // Guards + await fs.mkdir(path.dirname(auditFile), { recursive: true }); + if (!(await fs.access(auditFile).catch(() => false))) await fs.writeFile(auditFile, ''); + if (!(await fs.access(chainFile).catch(() => false))) await fs.writeFile(chainFile, ''); + + if (await fs.access(deltaFile).catch(() => false)) { + const deltas = JSON.parse(await fs.readFile(deltaFile, 'utf8')); + const tmpAudit = auditFile + `.tmp.${Date.now()}`; + + for (const delta of deltas) { + // Validate clock (stub) + if (!delta.clock) continue; + + // Append to tmp + await fs.appendFile(tmpAudit, JSON.stringify(delta) + '\n'); + + // Idempotent merge (hash check) + const existingHash = crypto.createHash('sha256').update(JSON.stringify(delta)).digest('hex'); + const chainContent = await fs.readFile(chainFile, 'utf8'); + if (chainContent.includes(existingHash)) continue; // Idempotent skip + + // Append to chain + await fs.appendFile(chainFile, existingHash + '\n'); + } + + // Promote atomic (after full batch) + await fs.rename(tmpAudit, auditFile); + + await fs.unlink(deltaFile); + } +} + +setInterval(async () => await processDeltas(), 1000); +console.log('Scribe daemon running...');