diff --git a/agents/rio/musings/research-pipeline-scaling.md b/agents/rio/musings/research-pipeline-scaling.md new file mode 100644 index 00000000..88e78f48 --- /dev/null +++ b/agents/rio/musings/research-pipeline-scaling.md @@ -0,0 +1,378 @@ +--- +type: musing +agent: rio +title: "Pipeline scaling architecture: queueing theory, backpressure, and optimal worker provisioning" +status: developing +created: 2026-03-12 +updated: 2026-03-12 +tags: [pipeline-architecture, operations-research, queueing-theory, mechanism-design, infrastructure] +--- + +# Pipeline Scaling Architecture: What Operations Research Tells Us + +Research musing for Leo and Cory on how to optimally architect our three-stage pipeline (research → extract → eval) for variable-load scaling. Six disciplines investigated, each mapped to our specific system. + +## Our System Parameters + +Before diving into theory, let me nail down the numbers: + +- **Arrival pattern**: Highly bursty. Research sessions dump 10-20 sources at once. Futardio launches come in bursts of 20+. Quiet periods produce 0-2 sources/day. +- **Extract stage**: 6 max workers, ~10-15 min per source (Claude compute). Dispatches every 5 min via cron. +- **Eval stage**: 5 max workers, ~5-15 min per PR (Claude compute). Dispatches every 5 min via cron. +- **Current architecture**: Fixed cron intervals, fixed worker caps, no backpressure, no priority queuing beyond basic triage (infra PRs first, then re-review, then fresh). +- **Cost model**: Workers are Claude Code sessions — expensive. Each idle worker costs nothing, but each active worker-minute is real money. +- **Queue sizes**: ~225 unprocessed sources, ~400 claims in KB. + +--- + +## 1. Operations Research / Queueing Theory + +### How it maps to our pipeline + +Our pipeline is a **tandem queue** (also called a Jackson network): three stages in series, each with multiple servers. In queueing notation: + +- **Extract stage**: M[t]/G/6 queue — time-varying arrivals (non-Poisson), general service times (extraction complexity varies), 6 servers +- **Eval stage**: M[t]/G/5 queue — arrivals are departures from extract (so correlated), general service times, 5 servers + +The classic M/M/c model gives us closed-form results for steady-state behavior: + +**Little's Law** (L = λW) is the foundation. If average arrival rate λ = 8 sources per 5-min cycle = 0.027/sec, and average extraction time W = 750 sec (12.5 min), then average sources in extract system L = 0.027 × 750 ≈ 20. With 6 workers, average utilization ρ = 20/6 ≈ 3.3 — meaning we'd need ~20 workers for steady state at this arrival rate. **This means our current MAX_WORKERS=6 for extraction is significantly undersized during burst periods.** + +But bursts are temporary. During quiet periods, λ drops to near zero. The question isn't "how many workers for peak?" but "how do we adaptively size for current load?" + +### Key insight: Square-root staffing + +The **Halfin-Whitt regime** gives the answer: optimal workers = R + β√R, where R is the base load (λ/μ, arrival rate / service rate) and β ≈ 1-2 is a quality-of-service parameter. + +For our system during a burst (λ = 20 sources in 5 min): +- R = 20 × (12.5 min / 5 min) = 50 source-slots needed → clearly impossible with 6 workers +- During burst: queue builds rapidly, workers drain it over subsequent cycles +- During quiet: R ≈ 0, workers = 0 + β√0 = 0 → don't spawn workers + +The square-root staffing rule says: **don't size for peak. Size for current load plus a safety margin proportional to √(current load).** This is fundamentally different from our current fixed-cap approach. + +### What to implement + +**Phase 1 (now)**: Calculate ρ = queue_depth / (MAX_WORKERS × expected_service_time_in_cycles). If ρ > 1, system is overloaded — scale up or implement backpressure. Log this metric. + +**Phase 2 (soon)**: Replace fixed MAX_WORKERS with dynamic: workers = min(ceil(queue_depth / sources_per_worker_per_cycle) + ceil(√(queue_depth)), HARD_MAX). This implements square-root staffing. + +→ SOURCE: Bournassenko 2025, "On Queueing Theory for Large-Scale CI/CD Pipelines" +→ SOURCE: Whitt 2019, "What You Should Know About Queueing Models" +→ SOURCE: van Leeuwaarden et al. 2018, "Economies-of-Scale in Many-Server Queueing Systems" (SIAM Review) + +--- + +## 2. Stochastic Modeling for Non-Stationary Arrivals + +### How it maps to our pipeline + +Our arrival process is a textbook **Markov-Modulated Poisson Process (MMPP)**. There's a hidden state governing the arrival rate: + +| Hidden State | Arrival Rate | Duration | +|-------------|-------------|----------| +| Research session active | 10-20 sources/hour | 1-3 hours | +| Futardio launch burst | 20+ sources/dump | Minutes | +| Normal monitoring | 2-5 sources/day | Hours to days | +| Quiet period | 0-1 sources/day | Days | + +The key finding from the literature: **replacing a time-varying arrival rate with a constant (average or max) leads to systems being badly understaffed or overstaffed.** This is exactly our problem. MAX_WORKERS=6 is undersized for bursts and oversized for quiet periods. + +### The peakedness parameter + +The **variance-to-mean ratio** (called "peakedness" or "dispersion ratio") of the arrival process determines how much extra capacity you need beyond standard queueing formulas: + +- Peakedness = 1: Poisson process (standard formulas work) +- Peakedness > 1: Overdispersed/bursty (need MORE capacity than standard) +- Peakedness < 1: Underdispersed/smooth (need LESS capacity) + +Our pipeline has peakedness >> 1 (highly bursty). The modified staffing formula adjusts the square-root safety margin by the peakedness factor. For bursty arrivals, the safety margin should be √(peakedness) × β√R instead of just β√R. + +### Practical estimation + +We can estimate peakedness empirically from our logs: +1. Count sources arriving per hour over the last 30 days +2. Calculate mean and variance of hourly arrival counts +3. Peakedness = variance / mean + +If peakedness ≈ 5 (plausible given our burst pattern), we need √5 ≈ 2.2× the safety margin that standard Poisson models suggest. + +### What to implement + +**Phase 1**: Instrument arrival patterns. Log source arrivals per hour with timestamps. After 2 weeks, calculate peakedness. + +**Phase 2**: Use the peakedness-adjusted staffing formula for worker provisioning. Different time windows may have different peakedness — weekdays vs. weekends, research-session hours vs. off-hours. + +→ SOURCE: Whitt et al. 2016, "Staffing a Service System with Non-Poisson Non-Stationary Arrivals" +→ SOURCE: Liu et al. 2019, "Modeling and Simulation of Nonstationary Non-Poisson Arrival Processes" (CIATA method) +→ SOURCE: Simio/WinterSim 2018, "Resource Scheduling in Non-Stationary Service Systems" + +--- + +## 3. Combinatorial Optimization / Scheduling + +### How it maps to our pipeline + +Our pipeline is a **hybrid flow-shop**: three stages (research → extract → eval), multiple workers at each stage, all sources flow through the same stage sequence. This is important because: + +- **Not a job-shop** (jobs don't have different stage orderings) +- **Not a simple flow-shop** (we have parallel workers within each stage) +- **Hybrid flow-shop with parallel machines per stage** — well-studied in OR literature + +The key question: given heterogeneous sources (varying complexity, different domains, different agents), how do we assign sources to workers optimally? + +### Surprising finding: simple dispatching rules work + +For hybrid flow-shops with relatively few stages and homogeneous workers within each stage, **simple priority dispatching rules perform within 5-10% of optimal**. The NP-hardness of general JSSP is not relevant to our case because: + +1. Our stages are fixed-order (not arbitrary routing) +2. Workers within a stage are roughly homogeneous (all Claude sessions) +3. We have few stages (3) and few workers (5-6 per stage) +4. We already have a natural priority ordering (infra > re-review > fresh) + +The best simple rules for our setting: +- **Shortest Processing Time (SPT)**: Process shorter sources first — reduces average wait time +- **Priority + FIFO**: Within priority classes, process in arrival order +- **Weighted Shortest Job First (WSJF)**: Priority weight / estimated processing time — maximizes value delivery rate + +### What we should NOT do + +Invest in metaheuristic scheduling algorithms (genetic algorithms, simulated annealing, tabu search). These are powerful for large-scale JSSP instances (100+ jobs, 20+ machines) but complete overkill for our scale. The gap between optimal and simple-dispatching is tiny at our size. + +### What to implement + +**Phase 1 (now)**: Implement source complexity estimation. Short sources (tweets, brief articles) should be processed before long ones (whitepapers, multi-thread analyses). This is SPT — proven optimal for minimizing average flow time. + +**Phase 2 (later)**: If we add domain-specific workers (e.g., Rio only processes internet-finance sources), the problem becomes a flexible flow-shop. Even then, simple "assign to least-loaded eligible worker" rules perform well. + +→ SOURCE: ScienceDirect 2023, "The Flexible Job Shop Scheduling Problem: A Review" + +--- + +## 4. Adaptive / Elastic Scaling + +### How it maps to our pipeline + +Cloud-native autoscaling patterns solve exactly our problem: scaling workers up/down based on observed demand, without full cloud infrastructure. The key patterns: + +**Queue-depth-based scaling (KEDA pattern)**: +``` +desired_workers = ceil(queue_depth / target_items_per_worker) +``` + +Where `target_items_per_worker` is calibrated to keep workers busy but not overloaded. KEDA adds scale-to-zero: if queue_depth = 0, workers = 0. + +**Multi-metric scaling**: Evaluate multiple signals simultaneously, scale to whichever requires the most workers: +``` +workers = max( + ceil(unprocessed_sources / sources_per_worker), + ceil(open_prs / prs_per_eval_worker), + MIN_WORKERS +) +``` + +**Cooldown periods**: After scaling up, don't immediately scale down — wait for a cooldown period. Prevents oscillation when load is choppy. Kubernetes HPA uses 5-minute stabilization windows. + +### Adapting for our cron-based system + +We don't have Kubernetes, but we can implement the same logic in bash: + +```bash +# In extract-cron.sh, replace fixed MAX_WORKERS: +QUEUE_DEPTH=$(grep -rl "^status: unprocessed" inbox/archive/ | wc -l) +EVAL_BACKLOG=$(curl -sf "$FORGEJO_URL/api/v1/.../pulls?state=open" | jq 'length') + +# Scale extraction workers based on queue depth +DESIRED_EXTRACT=$(( (QUEUE_DEPTH + 2) / 3 )) # ~3 sources per worker + +# Apply backpressure from eval: if eval is backlogged, slow extraction +if [ "$EVAL_BACKLOG" -gt 10 ]; then + DESIRED_EXTRACT=$(( DESIRED_EXTRACT / 2 )) +fi + +# Bound between min and max +WORKERS=$(( DESIRED_EXTRACT < 1 ? 1 : DESIRED_EXTRACT )) +WORKERS=$(( WORKERS > HARD_MAX ? HARD_MAX : WORKERS )) +``` + +### Counterintuitive finding: scale-to-zero saves more than scale-to-peak + +In our cost model (expensive per worker-minute, zero cost for idle), the biggest savings come not from optimizing peak performance but from **not running workers when there's nothing to do**. Our current system already checks for unprocessed sources before dispatching — good. But it still runs the dispatcher every 5 minutes even when the queue has been empty for hours. A longer polling interval during quiet periods would save dispatcher overhead. + +### What to implement + +**Phase 1 (now)**: Replace fixed MAX_WORKERS with queue-depth-based formula. Add eval backpressure check to extract dispatcher. + +**Phase 2 (soon)**: Add cooldown/hysteresis — different thresholds for scaling up vs. down. + +**Phase 3 (later)**: Adaptive polling interval — faster polling when queue is active, slower when quiet. + +→ SOURCE: OneUptime 2026, "How to Implement HPA with Object Metrics for Queue-Based Scaling" +→ SOURCE: KEDA documentation, keda.sh + +--- + +## 5. Backpressure & Flow Control + +### How it maps to our pipeline + +This is the most critical gap in our current architecture. **We have zero backpressure.** The three stages are decoupled with no feedback: + +``` +Research → [queue] → Extract → [queue] → Eval → [merge] +``` + +If research dumps 20 sources, extraction will happily create 20 PRs, and eval will struggle with a PR backlog. There's no signal from eval to extract saying "slow down, I'm drowning." This is the classic producer-consumer problem. + +### The TCP analogy + +TCP congestion control solves exactly this: a producer (sender) must match rate to consumer (receiver) capacity, with the network as an intermediary that can drop packets (data loss) if overloaded. The solution: **feedback-driven rate adjustment**. + +In our pipeline: +- **Producer**: Extract (creates PRs) +- **Consumer**: Eval (reviews PRs) +- **Congestion signal**: Open PR count growing +- **Data loss equivalent**: Eval quality degrading under load (rushed reviews) + +### Four backpressure strategies + +1. **Buffer + threshold**: Allow some PR accumulation (buffer), but when open PRs exceed threshold, extract slows down. Simple, robust, our best first step. + +2. **Rate matching**: Extract dispatches at most as many sources as eval processed in the previous cycle. Keeps the pipeline balanced but can under-utilize extract during catch-up periods. + +3. **AIMD (Additive Increase Multiplicative Decrease)**: When eval queue is shrinking, increase extraction rate by 1 worker. When eval queue is growing, halve extraction workers. Proven stable, converges to optimal throughput. **This is the TCP approach and it's elegant for our setting.** + +4. **Pull-based**: Eval "pulls" work from a staging area instead of extract "pushing" PRs. Requires architectural change but guarantees eval is never overloaded. Kafka uses this pattern (consumers pull at their own pace). + +### The AIMD insight is gold + +AIMD is provably optimal for fair allocation of shared resources without centralized control (Corless et al. 2016). It's mathematically guaranteed to converge regardless of the number of agents or parameter values. For our pipeline: + +``` +Each cycle: + if eval_queue_depth < eval_queue_depth_last_cycle: + # Queue shrinking — additive increase + extract_workers = min(extract_workers + 1, HARD_MAX) + else: + # Queue growing or stable — multiplicative decrease + extract_workers = max(extract_workers / 2, 1) +``` + +This requires zero modeling, zero parameter estimation, zero prediction. It just reacts to observed system state and is proven to converge to the optimal throughput that eval can sustain. + +### What to implement + +**Phase 1 (now, highest priority)**: Add backpressure check to extract-cron.sh. Before dispatching extraction workers, check open PR count. If open PRs > 15, reduce extraction parallelism by half. If open PRs > 25, skip this extraction cycle entirely. + +**Phase 2 (soon)**: Implement AIMD scaling for extraction workers based on eval queue trend. + +**Phase 3 (later)**: Consider pull-based architecture where eval signals readiness for more work. + +→ SOURCE: Vlahakis et al. 2021, "AIMD Scheduling and Resource Allocation in Distributed Computing Systems" +→ SOURCE: Corless et al. 2016, "AIMD Dynamics and Distributed Resource Allocation" (SIAM) +→ SOURCE: Dagster, "What Is Backpressure" +→ SOURCE: Java Code Geeks 2025, "Reactive Programming Paradigms: Mastering Backpressure and Stream Processing" + +--- + +## 6. Markov Decision Processes + +### How it maps to our pipeline + +MDP formulates our scaling decision as a sequential optimization problem: + +**State space**: S = (unprocessed_queue, in_flight_extractions, open_prs, active_extract_workers, active_eval_workers, time_of_day) + +**Action space**: A = {add_extract_worker, remove_extract_worker, add_eval_worker, remove_eval_worker, wait} + +**Transition model**: Queue depths change based on arrival rates (time-dependent) and service completions (stochastic). + +**Cost function**: C(s, a) = worker_cost × active_workers + delay_cost × queue_depth + +**Objective**: Find policy π: S → A that minimizes expected total discounted cost. + +### Key findings + +1. **Optimal policies have threshold structure** (Li et al. 2019 survey): The optimal MDP policy is almost always "if queue > X and workers < Y, spawn a worker." This means even without solving the full MDP, a well-tuned threshold policy is near-optimal. + +2. **Hysteresis is optimal** (Tournaire et al. 2021): The optimal policy has different thresholds for scaling up vs. scaling down. Scale up at queue=10, scale down at queue=3 (not the same threshold). This prevents oscillation — exactly what AIMD achieves heuristically. + +3. **Our state space is tractable**: With ~10 discrete queue levels × 6 worker levels × 5 eval worker levels × 4 time-of-day buckets = ~1,200 states. This is tiny for MDP — value iteration converges in seconds. We could solve for the exact optimal policy. + +4. **MDP outperforms heuristics but not by much**: Tournaire et al. found that structured MDP algorithms outperform simple threshold heuristics, but the gap is modest (5-15% cost reduction). For our scale, a good threshold policy captures most of the value. + +### The honest assessment + +Solving the full MDP is theoretically clean but practically unnecessary at our scale. The MDP's main value is confirming that threshold policies with hysteresis are near-optimal — which validates implementing AIMD + backpressure thresholds as Phase 1 and not worrying about exact optimization until the system is much larger. + +### What to implement + +**Phase 1**: Don't solve the MDP. Implement threshold policies with hysteresis (different up/down thresholds) informed by MDP theory. + +**Phase 2 (only if system grows significantly)**: Formulate and solve the MDP using value iteration. Use historical arrival/service data to parameterize the transition model. The optimal policy becomes a lookup table: given current state, take this action. + +→ SOURCE: Tournaire et al. 2021, "Optimal Control Policies for Resource Allocation in the Cloud: MDP vs Heuristic Approaches" +→ SOURCE: Li et al. 2019, "An Overview for Markov Decision Processes in Queues and Networks" + +--- + +## Synthesis: The Implementation Roadmap + +### The core diagnosis + +Our pipeline's architecture has three problems, in order of severity: + +1. **No backpressure** — extraction can overwhelm evaluation with no feedback signal +2. **Fixed worker counts** — static MAX_WORKERS ignores queue state entirely +3. **No arrival modeling** — we treat all loads the same regardless of burst patterns + +### Phase 1: Backpressure + Dynamic Scaling (implement now) + +This captures 80% of the improvement with minimal complexity: + +1. **Add eval backpressure to extract-cron.sh**: Check open PR count before dispatching. If backlogged, reduce extraction parallelism. +2. **Replace fixed MAX_WORKERS with queue-depth formula**: `workers = min(ceil(queue_depth / 3) + 1, HARD_MAX)` +3. **Add hysteresis**: Scale up when queue > 8, scale down when queue < 3. Different thresholds prevent oscillation. +4. **Instrument everything**: Log queue depths, worker counts, cycle times, utilization rates. + +### Phase 2: AIMD Scaling (implement within 2 weeks) + +Replace fixed formulas with adaptive AIMD: + +1. Track eval queue trend (growing vs. shrinking) across cycles +2. Growing queue → multiplicative decrease of extraction rate +3. Shrinking queue → additive increase of extraction rate +4. This self-tunes without requiring parameter estimation + +### Phase 3: Arrival Modeling + Optimization (implement within 1 month) + +With 2+ weeks of instrumented data: + +1. Calculate peakedness of arrival process +2. Apply peakedness-adjusted square-root staffing for worker provisioning +3. If warranted, formulate and solve the MDP for exact optimal policy +4. Implement adaptive polling intervals (faster when active, slower when quiet) + +### Surprising findings + +1. **Simple dispatching rules are near-optimal at our scale.** The combinatorial optimization literature says: for a hybrid flow-shop with <10 machines per stage, SPT/FIFO within priority classes is within 5-10% of optimal. Don't build a scheduler; build a good priority queue. + +2. **AIMD is the single most valuable algorithm to implement.** It's proven stable, requires no modeling, and handles the backpressure + scaling problems simultaneously. TCP solved this exact problem 40 years ago. + +3. **The MDP confirms we don't need the MDP.** The optimal policy is threshold-based with hysteresis — exactly what AIMD + backpressure thresholds give us. The MDP's value is validation, not computation. + +4. **The square-root staffing rule means diminishing returns on workers.** Adding a 7th worker to a 6-worker system helps less than adding the 2nd worker to a 1-worker system. At our scale, the marginal worker is still valuable, but there's a real ceiling around 8-10 extraction workers and 6-8 eval workers beyond which additional workers waste money. + +5. **Our biggest waste isn't too few workers — it's running workers against an empty queue.** The extract-cron runs every 5 minutes regardless of queue state. If the queue has been empty for 6 hours, that's 72 unnecessary dispatcher invocations. Adaptive polling (or event-driven triggering) would eliminate this overhead. + +6. **The pipeline's binding constraint is eval, not extract.** Extract produces work faster than eval consumes it (6 extract workers × ~8 sources/cycle vs. 5 eval workers × ~5 PRs/cycle). Without backpressure, this imbalance causes PR accumulation. The right fix is rate-matching extraction to evaluation throughput, not speeding up extraction. + +→ CLAIM CANDIDATE: "Backpressure is the highest-leverage architectural improvement for multi-stage pipelines because it prevents the most common failure mode (producer overwhelming consumer) with minimal implementation complexity" + +→ CLAIM CANDIDATE: "AIMD provides near-optimal resource allocation for variable-load pipelines without requiring arrival modeling or parameter estimation because its convergence properties are independent of system parameters" + +→ CLAIM CANDIDATE: "Simple priority dispatching rules perform within 5-10% of optimal for hybrid flow-shop scheduling at moderate scale because the combinatorial explosion that makes JSSP NP-hard only matters at large scale" + +→ FLAG @leo: The mechanism design parallel is striking — backpressure in pipelines is structurally identical to price signals in markets. Both are feedback mechanisms that prevent producers from oversupplying when consumers can't absorb. AIMD in particular mirrors futarchy's self-correcting property: the system converges to optimal throughput through local feedback, not central planning. + +→ FLAG @theseus: MDP formulation of pipeline scaling connects to AI agent resource allocation. If agents are managing their own compute budgets, AIMD provides a decentralized mechanism for fair sharing without requiring a central coordinator. diff --git a/agents/vida/musings/research-2026-03-12.md b/agents/vida/musings/research-2026-03-12.md new file mode 100644 index 00000000..98931d6a --- /dev/null +++ b/agents/vida/musings/research-2026-03-12.md @@ -0,0 +1,142 @@ +--- +status: seed +type: musing +stage: developing +created: 2026-03-12 +last_updated: 2026-03-12 +tags: [glp-1, value-based-care, medicare-advantage, drug-economics, prevention-economics, research-session] +--- + +# Research Session: GLP-1 Agonists and Value-Based Care Economics + +## Research Question + +**How are GLP-1 agonists interacting with value-based care economics — do cardiovascular and organ-protective benefits create net savings under capitation, or is the chronic use model inflationary even when plans bear full risk?** + +## Why This Question + +**Priority justification:** This follows the gap flagged in the March 10 session ("GLP-1 interaction with MA economics") and directly tests the attractor state thesis. If the most important new drug class is inflationary even under capitated models, the "prevention-first system that profits from health" faces a serious complication. + +**Connections to existing KB:** +- Existing claim rates GLP-1 net cost impact as "inflationary through 2035" — but this was written from a system-wide perspective, not from the capitated plan perspective where downstream savings accrue to the same entity bearing drug costs +- MA economics research from March 10 showed MA is VBC in form but misaligned in practice — how does GLP-1 prescribing behavior differ under genuine full risk vs. coding-arbitrage MA? +- The attractor state thesis depends on prevention being economically viable under aligned payment — GLP-1s are the largest test case + +**What would change my mind:** +- If capitated plans are actively embracing GLP-1s AND showing improved MLR, that strengthens the attractor state thesis +- If even capitated plans are restricting GLP-1 access due to cost, that complicates the "aligned incentives → better outcomes" story +- If cardiovascular/organ-protective benefits are large enough to offset drug costs within 3-5 years under capitation, the "inflationary through 2035" claim needs updating + +## What I Found + +### The Core Finding: GLP-1 Economics Are Payment-Model-Dependent + +The existing KB claim ("inflationary through 2035") is correct at system level but misleading at payer level. The answer to whether GLP-1s are inflationary depends on WHO is paying and OVER WHAT TIME HORIZON: + +**System-level:** Inflationary. CBO projects $35B additional federal spending over 2026-2034. Volume growth outpaces price compression. This is what the existing claim captures. + +**Risk-bearing payer level:** Potentially cost-saving. Value in Health modeling shows Medicare net savings of $715M over 10 years when multi-indication benefits are counted. Aon employer data shows medical cost growth reverses after 12 months of sustained use. The SELECT trial exploratory analysis shows 10% reduction in ALL-CAUSE hospitalizations — the single largest cost driver. + +**The temporal dimension is key:** Aon data shows costs go UP 23% in year 1 (drug costs dominate), then grow only 2% vs. 6% for non-users after 12 months. Short-term payers see only costs; long-term risk-bearers capture savings. This directly maps to the VBC payment model question. + +### Five Key Tracks + +**Track 1: Multi-Organ Protection (Beyond Weight Loss)** + +GLP-1s are no longer just weight loss drugs. Three major organ-protection trials: +- SELECT: 20% CV event reduction, 10% fewer all-cause hospitalizations, 11% fewer hospital days +- FLOW: 24% reduction in major kidney events, 29% reduction in CV death, slowed eGFR decline by 1.16 mL/min/year (delays dialysis at $90K+/year) +- MASH Phase 3: 62.9% resolution of steatohepatitis vs. 34.3% placebo + +Plus unexpected signals: Aon reports 50% lower ovarian cancer incidence and 14% lower breast cancer in female users (preliminary but striking). + +The multi-organ protection reframes GLP-1s from "weight management drug" to "metabolic disease prevention platform." The cost-benefit calculation changes dramatically when you add kidney protection ($2,074/subject avoided CKD), liver protection ($28M MASH savings in Medicare), and cancer risk reduction on top of CV benefits. + +CLAIM CANDIDATE: GLP-1 agonists protect at least three major organ systems (cardiovascular, renal, hepatic) through mechanisms partially independent of weight loss, making them the first drug class to address metabolic syndrome as a unified disease rather than treating its components separately. + +**Track 2: Adherence — The Binding Constraint** + +The economics only work if patients STAY ON the drug. They mostly don't: +- Non-diabetic obesity: 32.3% persistent at 1 year, ~15% at 2 years +- Diabetic: 53.5% at 1 year, ~30% at 2 years +- Weight regain after stopping: average 9.69 kg, all weight lost reversed after 1.7 years + +This creates a paradox: chronic use makes GLP-1s expensive, but discontinuation eliminates the downstream savings that justify the cost. The economics only work if adherence is sustained AND the payer captures downstream savings. + +At $245/month (Medicare deal), 12 months of GLP-1 therapy costs $2,940 per patient. If 64.8% discontinue and regain weight (eliminating downstream benefits), the plan loses $2,940 × 0.648 = ~$1,905 per enrolled patient on non-responders. The adherent 35.2% must generate enough savings to cover both their own drug costs AND the sunk costs of non-completers. + +CLAIM CANDIDATE: GLP-1 cost-effectiveness under capitation requires solving the adherence paradox — the drugs are only cost-saving for sustained users, but two-thirds of patients discontinue within a year, creating sunk drug costs with no downstream benefit offset. + +**Track 3: MA Plans Are Restricting, Not Embracing** + +Near-universal prior authorization for GLP-1s under MA (up from <5% in 2020-2023 to ~100% by 2025). This is MA plans actively managing short-term costs, NOT embracing prevention. + +This directly contradicts the simple version of the attractor state thesis: "align incentives and prevention follows." MA plans ARE theoretically incentivized to prevent costly downstream events. But they still restrict GLP-1 access because: +1. Short-term budget pressure overrides long-term savings expectations +2. Adherence uncertainty means most patients won't generate savings +3. Member turnover means plans may not capture downstream benefits +4. The VBC is in form only — coding arbitrage dominates actual strategy (March 10 finding) + +CLAIM CANDIDATE: Medicare Advantage plans' near-universal prior authorization for GLP-1s demonstrates that capitation alone does not align incentives for prevention — short-term cost management, adherence uncertainty, and member turnover create structural resistance to preventive drug coverage even under full risk. + +**Track 4: Policy Is Moving Faster Than Expected** + +Three converging policy developments are reshaping the landscape: +1. **Trump/Novo/Lilly deals:** $245/month for Medicare ($50 OOP), $350 general (TrumpRx). ~82% below list price. +2. **CMS BALANCE Model:** First federal payment model explicitly designed to test GLP-1 + VBC interaction. Requires lifestyle interventions alongside medication. Adjusts capitation rates for obesity. Launches May 2026 (Medicaid), January 2027 (Part D). +3. **International generics:** Canada patents expired January 2026. China has 17+ generics in Phase 3. Prices could reach $40-50/month internationally by 2028. + +The price trajectory is the single most important variable. At $245/month, cost-effectiveness depends on adherence and downstream savings. At $50/month (international generic prices), GLP-1s are unambiguously cost-effective under ANY payment model. The question is how fast prices converge. + +**Track 5: Counter-Evidence — Sarcopenia Risk** + +The strongest safety argument against broad GLP-1 deployment in the Medicare population: +- 15-40% of weight lost is lean body mass (muscle, not fat) +- Elderly adults already lose 12-16% of muscle mass with aging +- Weight cycling (start GLP-1 → lose muscle → stop → regain fat but NOT muscle → worse body composition) is the most common outcome given 64.8% discontinuation +- Sarcopenic obesity (high fat + low muscle) affects 10-20% of older adults and increases falls, fractures, disability + +This is genuinely concerning: the same drug that prevents CV events may cause sarcopenic disability. For the Medicare population specifically, the net health effect is ambiguous until the sarcopenia risk is better quantified. + +### Population-Level Signal + +US obesity prevalence declined from 39.9% (2022) to 37.0% (2025) — first population-level decline in recent years. If causally attributable to GLP-1s, this is the largest pharmaceutical impact on a population health metric since vaccines. But the equity concern is real: GLP-1 access skews wealthy/insured. + +## Key Surprises + +1. **CBO vs. ASPE divergence is enormous.** CBO says $35B additional cost; ASPE says $715M net savings. Both are technically correct but answer different questions. Budget scoring structurally disadvantages prevention. + +2. **Diabetes prevention is the largest economic lever, not cardiovascular.** Per-subject savings from avoided T2D ($14,431) dwarf avoided CV events ($1,512), even in a CV outcomes trial. + +3. **MA plans are restricting, not embracing.** Near-universal PA for GLP-1s means capitation alone doesn't create prevention incentives. This challenges the simple attractor state thesis. + +4. **The temporal cost curve is the key insight.** Costs up 23% in year 1, then slow to 2% growth vs. 6% for non-users. Payment model structure determines whether you see the costs or the savings. + +5. **50% ovarian cancer reduction in female GLP-1 users.** If confirmed, this is an entirely new dimension of benefit not captured in any current analysis. + +6. **The BALANCE model combines medication + lifestyle.** CMS is explicitly testing whether the combination solves the adherence problem. This is a more sophisticated intervention than simple drug coverage. + +## Belief Updates + +**Belief 3 (structural misalignment): COMPLICATED.** The GLP-1 + VBC interaction reveals a subtler misalignment than I'd assumed. Capitation creates the THEORETICAL incentive for prevention, but short-term budget pressure, adherence uncertainty, and member turnover create PRACTICAL barriers. The attractor state may require not just payment alignment but also adherence solutions and long-term risk pools. + +**Belief 4 (atoms-to-bits boundary): REINFORCED.** The GLP-1 story is partly an atoms-to-bits story — continuous monitoring (CGMs, wearables) could identify the right patients and track adherence, turning GLP-1 prescribing from population-level gambling into targeted, monitored intervention. The BALANCE model's lifestyle component could be delivered through the sensor stack + AI middleware. + +**Existing GLP-1 claim needs scope qualification.** "Inflationary through 2035" is correct at system level but incomplete. The claim should be scoped: system-level inflationary, but potentially cost-saving under risk-bearing payment models for targeted high-risk populations with sustained adherence. The price trajectory (declining toward $50-100/month by 2030) may also move the inflection point earlier. + +## Follow-up Directions + +### Active Threads (continue next session) +- **GLP-1 adherence interventions under capitation:** What works to improve persistence? Does care coordination, lifestyle coaching, or CGM monitoring improve adherence rates? This is the bottleneck for the entire VBC cost-savings thesis. Look for: BALANCE model early results, Devoted Health or other purpose-built MA plans' GLP-1 protocols, digital health adherence interventions. +- **Sarcopenia quantification in Medicare GLP-1 users:** The muscle loss risk is theoretical but plausible. Look for: real-world outcomes data on fracture/fall rates in GLP-1 users >65, next-gen compounds claiming muscle preservation, any population-level sarcopenia signal in the Aon or FLOW datasets. +- **CBO scoring methodology and prevention bias:** The $35B vs. $715M divergence is a structural problem beyond GLP-1s. Look for: analyses of how CBO scoring systematically undervalues prevention, comparisons with other preventive interventions facing the same bias, proposals to reform scoring methodology. + +### Dead Ends (don't re-run these) +- **Tweet monitoring this session:** All feeds empty. No content from @EricTopol, @KFF, @CDCgov, @WHO, @ABORAMADAN_MD, @StatNews. Don't rely on tweet feeds as primary source material. +- **Compounded semaglutide landscape:** Looked briefly — the compounding market is a legal/regulatory mess but doesn't connect meaningfully to the VBC economics question. Not worth pursuing further unless policy changes significantly. + +### Branching Points (one finding opened multiple directions) +- **Aon cancer signal (50% ovarian cancer reduction):** Two directions: (A) pursue as a novel GLP-1 benefit claim that changes the multi-indication economics, or (B) wait for independent replication before building on observational data from an industry consultant. **Recommendation: B.** The signal is too preliminary and the observational design too prone to confounding (healthier/wealthier women may both use GLP-1s and have lower cancer rates). Flag for monitoring but don't extract claims yet. +- **BALANCE model as attractor state test:** Two directions: (A) analyze the model design now and extract claims about its structure, or (B) wait for early results (post-May 2026 Medicaid launch) to evaluate whether the combined medication + lifestyle approach actually works. **Recommendation: A for structure, B for outcomes.** The design itself (medication + lifestyle + payment adjustment) is an extractable claim. The outcomes data needs to wait. + +SOURCE: 12 archives created across 5 tracks diff --git a/agents/vida/research-journal.md b/agents/vida/research-journal.md index 5e684451..a56d9a60 100644 --- a/agents/vida/research-journal.md +++ b/agents/vida/research-journal.md @@ -13,3 +13,21 @@ **Sources archived:** 18 across three tracks (8 Track 1, 5 Track 2, 5 Track 3) **Extraction candidates:** 15-20 claims across MA economics, senior care infrastructure, and international benchmarks + +## Session 2026-03-12 — GLP-1 Agonists and Value-Based Care Economics + +**Question:** How are GLP-1 agonists interacting with value-based care economics — do cardiovascular and organ-protective benefits create net savings under capitation, or is the chronic use model inflationary even when plans bear full risk? + +**Key finding:** GLP-1 economics are payment-model-dependent in a way the existing KB claim doesn't capture. System-level: inflationary (CBO: $35B additional spending). Risk-bearing payer level: potentially cost-saving (ASPE/Value in Health: $715M net savings over 10 years for Medicare). The temporal cost curve is the key insight — Aon data shows costs up 23% in year 1, then grow only 2% vs. 6% for non-users after 12 months. Short-term payers see costs; long-term risk-bearers capture savings. But MA plans are RESTRICTING access (near-universal PA), not embracing prevention — challenging the simple attractor state thesis that capitation → prevention. + +**Pattern update:** This session deepens the March 10 pattern: MA is value-based in form but short-term-cost-managed in practice. The GLP-1 case is the strongest evidence yet — MA plans have theoretical incentive to cover GLP-1s (downstream savings) but restrict access (short-term cost avoidance). The attractor state thesis needs refinement: payment alignment is NECESSARY but NOT SUFFICIENT. You also need adherence solutions, long-term risk pools, and policy infrastructure (like the BALANCE model). + +**Cross-session pattern emerging:** Two sessions now converge on the same observation — the gap between VBC theory (aligned incentives → better outcomes) and VBC practice (short-term cost management, coding arbitrage, access restriction). The attractor state is real but the transition path is harder than I'd assumed. The existing claim "value-based care transitions stall at the payment boundary" is confirmed but the stall is deeper than payment — it's also behavioral (adherence), institutional (MA business models), and methodological (CBO scoring bias against prevention). + +**Confidence shift:** +- Belief 3 (structural misalignment): **further complicated** — misalignment persists even under capitation because of short-term budget pressure, adherence uncertainty, and member turnover. Capitation is necessary but not sufficient for prevention alignment. +- Belief 4 (atoms-to-bits): **reinforced** — continuous monitoring (CGMs, wearables) could solve the GLP-1 adherence problem by identifying right patients and tracking response, turning population-level prescribing into targeted monitored intervention. +- Existing GLP-1 claim: **needs scope qualification** — "inflationary through 2035" is correct at system level but incomplete. Should distinguish system-level from payer-level economics. Price trajectory (declining toward $50-100/month internationally) may move inflection point earlier. + +**Sources archived:** 12 across five tracks (multi-organ protection, adherence, MA behavior, policy, counter-evidence) +**Extraction candidates:** 8-10 claims including scope qualification of existing GLP-1 claim, VBC adherence paradox, MA prevention resistance, BALANCE model design, multi-organ protection thesis diff --git a/core/living-agents/_map.md b/core/living-agents/_map.md index 30ba401b..8dec79dc 100644 --- a/core/living-agents/_map.md +++ b/core/living-agents/_map.md @@ -23,6 +23,9 @@ The architecture follows biological organization: nested Markov blankets with sp - [[collaborative knowledge infrastructure requires separating the versioning problem from the knowledge evolution problem because git solves file history but not semantic disagreement or insight-level attribution]] — the design challenge - [[person-adapted AI compounds knowledge about individuals while idea-learning AI compounds knowledge about domains and the architectural gap between them is where collective intelligence lives]] — where CI lives +## Structural Positioning +- [[agent-mediated knowledge bases are structurally novel because they combine atomic claims adversarial multi-agent evaluation and persistent knowledge graphs which Wikipedia Community Notes and prediction markets each partially implement but none combine]] — what makes this architecture unprecedented + ## Operational Architecture (how the Teleo collective works today) - [[adversarial PR review produces higher quality knowledge than self-review because separated proposer and evaluator roles catch errors that the originating agent cannot see]] — the core quality mechanism - [[prose-as-title forces claim specificity because a proposition that cannot be stated as a disagreeable sentence is not a real claim]] — the simplest quality gate diff --git a/core/living-agents/agent-mediated knowledge bases are structurally novel because they combine atomic claims adversarial multi-agent evaluation and persistent knowledge graphs which Wikipedia Community Notes and prediction markets each partially implement but none combine.md b/core/living-agents/agent-mediated knowledge bases are structurally novel because they combine atomic claims adversarial multi-agent evaluation and persistent knowledge graphs which Wikipedia Community Notes and prediction markets each partially implement but none combine.md new file mode 100644 index 00000000..2c742fab --- /dev/null +++ b/core/living-agents/agent-mediated knowledge bases are structurally novel because they combine atomic claims adversarial multi-agent evaluation and persistent knowledge graphs which Wikipedia Community Notes and prediction markets each partially implement but none combine.md @@ -0,0 +1,48 @@ +--- +type: claim +domain: living-agents +description: "Compares Teleo's architecture against Wikipedia, Community Notes, prediction markets, and Stack Overflow across three structural dimensions — atomic claims with independent evaluability, adversarial multi-agent evaluation with proposer/evaluator separation, and persistent knowledge graphs with semantic linking and cascade detection — showing no existing system combines all three" +confidence: experimental +source: "Theseus, original analysis grounded in CI literature and operational comparison of existing knowledge aggregation systems" +created: 2026-03-11 +--- + +# Agent-mediated knowledge bases are structurally novel because they combine atomic claims adversarial multi-agent evaluation and persistent knowledge graphs which Wikipedia Community Notes and prediction markets each partially implement but none combine + +Existing knowledge aggregation systems each implement one or two of three critical structural properties, but none combine all three. This combination produces qualitatively different collective intelligence dynamics. + +## The three structural properties + +**1. Atomic claims with independent evaluability.** Each knowledge unit is a single proposition with its own evidence, confidence level, and challenge surface. Wikipedia merges claims into consensus articles, destroying the disagreement structure — you can't independently evaluate or challenge a single claim within an article without engaging the whole article's editorial process. Prediction markets price single propositions but can't link them into structured knowledge. Stack Overflow evaluates Q&A pairs but not propositions. Atomic claims enable granular evaluation: each can be independently challenged, enriched, or deprecated without affecting others. + +**2. Adversarial multi-agent evaluation.** Knowledge inputs are evaluated by AI agents through structured adversarial review — proposer/evaluator separation ensures the entity that produces a claim is never the entity that approves it. Wikipedia uses human editor consensus (collaborative, not adversarial by design). Community Notes uses algorithmic bridging (matrix factorization, no agent evaluation). Prediction markets use price signals (no explicit evaluation of claim quality, only probability). The agent-mediated model inverts RLHF: instead of humans evaluating AI outputs, AI evaluates knowledge inputs using a codified epistemology. + +**3. Persistent knowledge graphs with semantic linking.** Claims are wiki-linked into a traversable graph where evidence chains are auditable: evidence → claims → beliefs → positions. Community Notes has no cross-note memory — each note is evaluated independently. Prediction markets have no cross-question linkage. Wikipedia has hyperlinks but without semantic typing or confidence weighting. The knowledge graph enables cascade detection: when a foundational claim is challenged, the system can trace which beliefs and positions depend on it. + +## Why the combination matters + +Each property alone is well-understood. The novelty is in their interaction: + +- Atomic claims + adversarial evaluation = each claim gets independent quality assessment (not possible when claims are merged into articles) +- Adversarial evaluation + knowledge graph = evaluators can check whether a new claim contradicts, supports, or duplicates existing linked claims (not possible without persistent structure) +- Knowledge graph + atomic claims = the system can detect when new evidence should cascade through beliefs (not possible without evaluators to actually perform the update) + +The closest analog is scientific peer review, which has atomic claims (papers make specific arguments) and adversarial evaluation (reviewers challenge the work), but lacks persistent knowledge graphs — scientific papers cite each other but don't form a traversable, semantically typed graph with confidence weighting and cascade detection. + +## What this does NOT claim + +This claim is structural, not evaluative. It does not claim that agent-mediated knowledge bases produce *better* knowledge than Wikipedia or prediction markets — that is an empirical question we don't yet have data to answer. It claims the architecture is *structurally novel* in combining properties that existing systems don't combine. Whether structural novelty translates to superior collective intelligence is a separate, testable proposition. + +--- + +Relevant Notes: +- [[adversarial PR review produces higher quality knowledge than self-review because separated proposer and evaluator roles catch errors that the originating agent cannot see]] — the operational evidence for property #2 +- [[wiki-link graphs create auditable reasoning chains because every belief must cite claims and every position must cite beliefs making the path from evidence to conclusion traversable]] — the mechanism behind property #3 +- [[atomic notes with one claim per file enable independent evaluation and granular linking because bundled claims force reviewers to accept or reject unrelated propositions together]] — the rationale for property #1 +- [[all agents running the same model family creates correlated blind spots that adversarial review cannot catch because the evaluator shares the proposers training biases]] — the known limitation of property #2 when model diversity is absent +- [[protocol design enables emergent coordination of arbitrary complexity as Linux Bitcoin and Wikipedia demonstrate]] — prior art: protocol-based coordination systems that partially implement these properties + +- [[domain specialization with cross-domain synthesis produces better collective intelligence than generalist agents because specialists build deeper knowledge while a dedicated synthesizer finds connections they cannot see from within their territory]] — the specialization architecture that makes adversarial evaluation between agents meaningful + +Topics: +- [[core/living-agents/_map]] diff --git a/domains/ai-alignment/_map.md b/domains/ai-alignment/_map.md index 85ccb092..11a60443 100644 --- a/domains/ai-alignment/_map.md +++ b/domains/ai-alignment/_map.md @@ -92,6 +92,9 @@ Evidence from documented AI problem-solving cases, primarily Knuth's "Claude's C - [[nation-states will inevitably assert control over frontier AI development because the monopoly on force is the foundational state function and weapons-grade AI capability in private hands is structurally intolerable to governments]] — Thompson/Karp: the state monopoly on force makes private AI control structurally untenable - [[anthropomorphizing AI agents to claim autonomous action creates credibility debt that compounds until a crisis forces public reckoning]] (in `core/living-agents/`) — narrative debt from overstating AI agent autonomy +## Governance & Alignment Mechanisms +- [[transparent algorithmic governance where AI response rules are public and challengeable through the same epistemic process as the knowledge base is a structurally novel alignment approach]] — alignment through transparent, improvable rules rather than designer specification + ## Coordination & Alignment Theory (local) Claims that frame alignment as a coordination problem, moved here from foundations/ in PR #49: - [[AI alignment is a coordination problem not a technical problem]] — the foundational reframe diff --git a/domains/ai-alignment/safe AI development requires building alignment mechanisms before scaling capability.md b/domains/ai-alignment/safe AI development requires building alignment mechanisms before scaling capability.md index 09030349..61d0a908 100644 --- a/domains/ai-alignment/safe AI development requires building alignment mechanisms before scaling capability.md +++ b/domains/ai-alignment/safe AI development requires building alignment mechanisms before scaling capability.md @@ -2,7 +2,7 @@ description: A phased safety-first strategy that starts with non-sensitive domains and builds governance, validation, and human oversight before expanding into riskier territory type: claim domain: ai-alignment -created: 2026-02-16 +created: 2026-03-11 confidence: likely source: "AI Safety Grant Application (LivingIP)" --- @@ -15,15 +15,14 @@ The grant application identifies three concrete risks that make this sequencing This phased approach is also a practical response to the observation that since [[existential risk breaks trial and error because the first failure is the last event]], there is no opportunity to iterate on safety after a catastrophic failure. You must get safety right on the first deployment in high-stakes domains, which means practicing in low-stakes domains first. The goal framework remains permanently open to revision at every stage, making the system's values a living document rather than a locked specification. +## Additional Evidence -### Additional Evidence (challenge) +### Anthropic RSP Rollback (challenge) *Source: [[2026-02-00-anthropic-rsp-rollback]] | Added: 2026-03-10 | Extractor: anthropic/claude-sonnet-4.5* -Anthropic's RSP rollback demonstrates the opposite pattern in practice: the company scaled capability while weakening its pre-commitment to adequate safety measures. The original RSP required guaranteeing safety measures were adequate *before* training new systems. The rollback removes this forcing function, allowing capability development to proceed with safety work repositioned as aspirational ('we hope to create a forcing function') rather than mandatory. This provides empirical evidence that even safety-focused organizations prioritize capability scaling over alignment-first development when competitive pressure intensifies, suggesting the claim may be normatively correct but descriptively violated by actual frontier labs under market conditions. +Anthropics RSP rollback demonstrates the opposite pattern in practice: the company scaled capability while weakening its pre-commitment to adequate safety measures. The original RSP required guaranteeing safety measures were adequate *before* training new systems. The rollback removes this forcing function, allowing capability development to proceed with safety work repositioned as aspirational ('we hope to create a forcing function') rather than mandatory. This provides empirical evidence that even safety-focused organizations prioritize capability scaling over alignment-first development when competitive pressure intensifies, suggesting the claim may be normatively correct but descriptively violated by actual frontier labs under market conditions. ---- - -Relevant Notes: +## Relevant Notes - [[intelligence and goals are orthogonal so a superintelligence can be maximally competent while pursuing arbitrary or destructive ends]] -- orthogonality means we cannot rely on intelligence producing benevolent goals, making proactive alignment mechanisms essential - [[capability control methods are temporary at best because a sufficiently intelligent system can circumvent any containment designed by lesser minds]] -- Bostrom's analysis shows why motivation selection must precede capability scaling - [[recursive self-improvement creates explosive intelligence gains because the system that improves is itself improving]] -- the explosive dynamics of takeoff mean alignment mechanisms cannot be retrofitted after the fact @@ -33,10 +32,9 @@ Relevant Notes: - [[knowledge aggregation creates novel risks when dangerous information combinations emerge from individually safe pieces]] -- one of the specific risks this phased approach is designed to contain - [[adaptive governance outperforms rigid alignment blueprints because superintelligence development has too many unknowns for fixed plans]] -- Bostrom's evolved position refines this: build adaptable alignment mechanisms, not rigid ones - [[the optimal SI development strategy is swift to harbor slow to berth moving fast to capability then pausing before full deployment]] -- Bostrom's timing model suggests building alignment in parallel with capability, then intensive verification during the pause - - [[proximate objectives resolve ambiguity by absorbing complexity so the organization faces a problem it can actually solve]] -- the phased safety-first approach IS a proximate objectives strategy: start in non-sensitive domains where alignment problems are tractable, build governance muscles, then tackle harder domains - [[the more uncertain the environment the more proximate the objective must be because you cannot plan a detailed path through fog]] -- AI alignment under deep uncertainty demands proximate objectives: you cannot pre-specify alignment for a system that does not yet exist, but you can build and test alignment mechanisms at each capability level -Topics: +## Topics - [[livingip overview]] -- [[LivingIP architecture]] \ No newline at end of file +- [[LivingIP architecture]] diff --git a/domains/ai-alignment/transparent algorithmic governance where AI response rules are public and challengeable through the same epistemic process as the knowledge base is a structurally novel alignment approach.md b/domains/ai-alignment/transparent algorithmic governance where AI response rules are public and challengeable through the same epistemic process as the knowledge base is a structurally novel alignment approach.md new file mode 100644 index 00000000..b2935976 --- /dev/null +++ b/domains/ai-alignment/transparent algorithmic governance where AI response rules are public and challengeable through the same epistemic process as the knowledge base is a structurally novel alignment approach.md @@ -0,0 +1,59 @@ +--- +type: claim +domain: ai-alignment +description: "Argues that publishing how AI agents decide who and what to respond to — and letting users challenge and improve those rules through the same process that governs the knowledge base — is a fundamentally different alignment approach from hidden system prompts, RLHF, or Constitutional AI" +confidence: experimental +challenged_by: "Reflexive capture — users who game rules to increase influence can propose further rule changes benefiting themselves, analogous to regulatory capture. Agent evaluation as constitutional check is the proposed defense but is untested." +source: "Theseus, original analysis building on Cory Abdalla's design principle for Teleo agent governance" +created: 2026-03-11 +--- + +# Transparent algorithmic governance where AI response rules are public and challengeable through the same epistemic process as the knowledge base is a structurally novel alignment approach + +Current AI alignment approaches share a structural feature: the alignment mechanism is designed by the system's creators and opaque to its users. RLHF training data is proprietary. Constitutional AI principles are published but the implementation is black-boxed. Platform moderation rules are enforced by algorithms no user can inspect or influence. Users experience alignment as arbitrary constraint, not as a system they can understand, evaluate, and improve. + +## The inversion + +The alternative: make the rules governing AI agent behavior — who gets responded to, how contributions are evaluated, what gets prioritized — public, challengeable, and subject to the same epistemic process as every other claim in the knowledge base. + +This means: +1. **The response algorithm is public.** Users can read the rules that govern how agents behave. No hidden system prompts, no opaque moderation criteria. +2. **Users can propose changes.** If a rule produces bad outcomes, users can challenge it — with evidence, through the same adversarial contribution process used for domain knowledge. +3. **Agents evaluate proposals.** Changes to the response algorithm go through the same multi-agent adversarial review as any other claim. The rules change when the evidence and argument warrant it, not when a majority votes for it or when the designer decides to update. +4. **The meta-algorithm is itself inspectable.** The process by which agents evaluate change proposals is public. Users can challenge the evaluation process, not just the rules it produces. + +## Why this is structurally different + +This is not just "transparency" — it's reflexive governance. The alignment mechanism is itself a knowledge object, subject to the same epistemic standards and adversarial improvement as the knowledge it governs. This creates a self-improving alignment system: the rules get better through the same process that makes the knowledge base better. + +The design principle from coordination theory is directly applicable: designing coordination rules is categorically different from designing coordination outcomes. The public response algorithm is a coordination rule. What emerges from applying it is the coordination outcome. Making rules public and improvable is the Hayekian move — designed rules of just conduct enabling spontaneous order of greater complexity than deliberate arrangement could achieve. + +This also instantiates a core TeleoHumanity axiom: the alignment problem dissolves when human values are continuously woven into the system rather than specified in advance. Transparent algorithmic governance is the mechanism by which continuous weaving happens — users don't specify their values once; they iteratively challenge and improve the rules that govern agent behavior. + +## The risk: reflexive capture + +If users can change the rules that govern which users get responses, you get a feedback loop. Users who game the rules to increase their influence can then propose rule changes that benefit them further. This is the analog of regulatory capture in traditional governance. + +The structural defense: agents evaluate change proposals against the knowledge base and epistemic standards, not against user preferences or popularity metrics. The agents serve as a constitutional check — they can reject popular rule changes that degrade epistemic quality. This works because agent evaluation criteria are themselves public and challengeable, but changes to evaluation criteria require stronger evidence than changes to response rules (analogous to constitutional amendments requiring supermajorities). + +## What this does NOT claim + +This claim does not assert that transparent algorithmic governance *solves* alignment. It asserts that it is *structurally different* from existing approaches in a way that addresses known limitations — specifically, the specification trap (values encoded at design time become brittle) and the alignment tax (safety as cost rather than feature). Whether this approach produces better alignment outcomes than RLHF or Constitutional AI is an empirical question that requires deployment-scale evidence. + +--- + +Relevant Notes: +- [[the alignment problem dissolves when human values are continuously woven into the system rather than specified in advance]] — the TeleoHumanity axiom this approach instantiates +- [[the specification trap means any values encoded at training time become structurally unstable as deployment contexts diverge from training conditions]] — the failure mode that transparent governance addresses +- [[designing coordination rules is categorically different from designing coordination outcomes as nine intellectual traditions independently confirm]] — the theoretical foundation: design rules, let behavior emerge +- [[Hayek argued that designed rules of just conduct enable spontaneous order of greater complexity than deliberate arrangement could achieve]] — the Hayekian insight applied to AI governance +- [[democratic alignment assemblies produce constitutions as effective as expert-designed ones while better representing diverse populations]] — empirical evidence that distributed alignment input produces effective governance +- [[community-centred norm elicitation surfaces alignment targets materially different from developer-specified rules]] — evidence that user-surfaced norms differ from designer assumptions +- [[adversarial PR review produces higher quality knowledge than self-review because separated proposer and evaluator roles catch errors that the originating agent cannot see]] — the adversarial review mechanism that governs rule changes + +- [[social enforcement of architectural rules degrades under tool pressure because automated systems that bypass conventions accumulate violations faster than review can catch them]] — the tension: transparent governance relies on social enforcement which this claim shows degrades under tool pressure +- [[protocol design enables emergent coordination of arbitrary complexity as Linux Bitcoin and Wikipedia demonstrate]] — prior art for protocol-based governance producing emergent coordination +- [[domain specialization with cross-domain synthesis produces better collective intelligence than generalist agents because specialists build deeper knowledge while a dedicated synthesizer finds connections they cannot see from within their territory]] — the agent specialization that makes distributed evaluation meaningful + +Topics: +- [[domains/ai-alignment/_map]] diff --git a/domains/ai-alignment/universal alignment is mathematically impossible because Arrows impossibility theorem applies to aggregating diverse human preferences into a single coherent objective.md b/domains/ai-alignment/universal alignment is mathematically impossible because Arrows impossibility theorem applies to aggregating diverse human preferences into a single coherent objective.md new file mode 100644 index 00000000..b707138b --- /dev/null +++ b/domains/ai-alignment/universal alignment is mathematically impossible because Arrows impossibility theorem applies to aggregating diverse human preferences into a single coherent objective.md @@ -0,0 +1,41 @@ +--- +description: Arrow's impossibility theorem mathematically proves that no social choice function can simultaneously satisfy basic fairness criteria, constraining any attempt to aggregate diverse human preferences into a single coherent objective function +type: claim +domain: collective-intelligence +secondary_domains: [ai-alignment, mechanisms] +created: 2026-02-17 +confidence: likely +source: "Arrow (1951), Conitzer & Mishra (ICML 2024), Mishra (2023)" +challenged_by: [] +--- + +# universal alignment is mathematically impossible because Arrows impossibility theorem applies to aggregating diverse human preferences into a single coherent objective + +Arrow's impossibility theorem (1951) proves that no social choice function can simultaneously satisfy four minimal fairness criteria: unrestricted domain (all preference orderings allowed), non-dictatorship (no single voter determines outcomes), Pareto efficiency (if everyone prefers X to Y, the aggregate prefers X to Y), and independence of irrelevant alternatives (the aggregate ranking of X vs Y depends only on individual rankings of X vs Y). The theorem's core insight: any attempt to aggregate diverse ordinal preferences into a single consistent ranking must violate at least one criterion. + +Conitzer and Mishra (ICML 2024) apply this directly to AI alignment: RLHF-style preference aggregation faces structurally identical constraints. When training systems on diverse human feedback, you cannot simultaneously satisfy: (1) accepting all possible preference orderings from humans, (2) ensuring no single human's preferences dominate, (3) respecting Pareto improvements (if all humans prefer outcome A, the system should too), and (4) making aggregation decisions independent of irrelevant alternatives. Any alignment mechanism that attempts universal preference aggregation must fail one of these criteria. + +Mishra (2023) extends this: the impossibility isn't a limitation of current RLHF implementations—it's a fundamental constraint on *any* mechanism attempting to aggregate diverse human values into a single objective. This means alignment strategies that depend on "finding the right aggregation function" are pursuing an impossible goal. The mathematical structure of preference aggregation itself forbids the outcome. + +The escape routes are well-known but costly: (1) restrict the domain of acceptable preferences (some humans' values are excluded), (2) accept dictatorship (one human or group's preferences dominate), (3) abandon Pareto efficiency (systems can ignore unanimous human preferences), or (4) use cardinal utility aggregation (utilitarian summation) rather than ordinal ranking, which sidesteps Arrow's theorem but requires interpersonal utility comparisons that are philosophically contested and practically difficult to implement. + +The alignment implication: universal alignment—a single objective function that respects all human values equally—is mathematically impossible. Alignment strategies must either (a) explicitly choose which criterion to violate, or (b) abandon the goal of universal aggregation in favor of domain-restricted, hierarchical, or pluralistic approaches. + +## Additional Evidence + +### Formal Machine-Verifiable Proof (extend) +*Source: Yamamoto (PLOS One, 2026-02-01) | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* + +Arrow's impossibility theorem now has a full formal representation using proof calculus in formal logic (Yamamoto, PLOS One, February 2026). This provides a machine-checkable representation suitable for formal verification pipelines, meaning automated systems can now cite Arrow's theorem as a formally verified result rather than relying on external mathematical claims. The formal proof complements existing computer-aided proofs (Tang & Lin 2009, *Artificial Intelligence*) and simplified proofs via Condorcet's paradox with a complete logical derivation revealing the global structure of the social welfare function central to the theorem. While Arrow's theorem itself has been mathematically established since 1951, the formal representation enables integration into automated reasoning systems and formal verification pipelines used in AI safety research. + +## Relevant Notes +- [[intelligence and goals are orthogonal so a superintelligence can be maximally competent while pursuing arbitrary or destructive ends]] -- if goals cannot be unified across diverse humans, superintelligence amplifies the problem +- [[pluralistic alignment must accommodate irreducibly diverse values simultaneously rather than converging on a single aligned state]] -- Arrow's theorem explains why convergence is impossible; pluralism is the structural response +- [[safe AI development requires building alignment mechanisms before scaling capability]] -- the impossibility of universal alignment makes phased safety-first development more urgent, not less +- [[the specification trap means any values encoded at training time become structurally unstable as deployment contexts diverge from training conditions]] -- Arrow's constraints apply at every deployment context; no fixed specification can satisfy all criteria +- [[super co-alignment proposes that human and AI values should be co-shaped through iterative alignment rather than specified in advance]] -- co-shaping is one response to Arrow's impossibility: abandon fixed aggregation in favor of continuous negotiation +- [[adaptive governance outperforms rigid alignment blueprints because superintelligence development has too many unknowns for fixed plans]] -- Arrow's theorem shows why rigid blueprints fail; adaptive governance is structurally necessary + +## Topics +- [[core/mechanisms/_map]] +- [[domains/ai-alignment/_map]] diff --git a/domains/entertainment/beast-industries-5b-valuation-prices-content-as-loss-leader-model-at-enterprise-scale.md b/domains/entertainment/beast-industries-5b-valuation-prices-content-as-loss-leader-model-at-enterprise-scale.md new file mode 100644 index 00000000..784b90b1 --- /dev/null +++ b/domains/entertainment/beast-industries-5b-valuation-prices-content-as-loss-leader-model-at-enterprise-scale.md @@ -0,0 +1,36 @@ +--- +type: claim +domain: entertainment +secondary_domains: [internet-finance] +description: "Beast Industries' $5B valuation validates that investors price integrated content-to-product systems where media operates at loss to drive CPG revenue" +confidence: likely +source: "Fortune, MrBeast Beast Industries fundraise coverage, 2025-02-27" +created: 2026-03-11 +--- + +# Beast Industries $5B valuation validates content-as-loss-leader model at enterprise scale + +Beast Industries' $5B valuation in its 2025 fundraise represents market validation that the content-as-loss-leader model scales to enterprise size. The valuation is based on projected revenue growth from $899M (2025) to $1.6B (2026) to $4.78B (2029), with media (YouTube + Amazon) projected to represent only 1/5 of total sales by 2026—down from approximately 50% in 2025. + +The economic structure reveals the loss-leader mechanism: the media business produced similar revenue to Feastables (~$250M) but operated at an ~$80M loss, while Feastables generated $250M revenue with $20M+ profit. This inversion—where the larger revenue stream is unprofitable—demonstrates that content functions as customer acquisition infrastructure rather than a primary revenue source. + +The competitive advantage is structural: Feastables achieves zero marginal cost customer acquisition through content distribution, compared to traditional CPG companies like Hershey's and Mars spending 10-15% of revenue on advertising. Feastables' presence in 30,000+ retail locations (Walmart, Target, 7-Eleven) shows this model translates to physical retail distribution at scale, not just direct-to-consumer sales. + +Investors are explicitly pricing the integrated system (content → audience → products) rather than content revenue alone. The $4.78B 2029 revenue projection, if realized, would make a YouTube creator larger than many traditional entertainment companies—but with revenue primarily from CPG products rather than media. This represents a structural shift in how creator economics scale beyond direct monetization. + +## Evidence +- Beast Industries raising at $5B valuation with revenue trajectory: $899M (2025) → $1.6B (2026) → $4.78B (2029) +- Media business projected at 1/5 of total revenue by 2026, down from ~50% in 2025 +- Media business: ~$250M revenue, ~$80M loss; Feastables: $250M revenue, $20M+ profit +- Feastables in 30,000+ retail locations with zero marginal cost customer acquisition vs traditional CPG 10-15% ad spend +- Five verticals: software (Viewstats), CPG (Feastables, Lunchly), health/wellness, media, video games + +--- + +Relevant Notes: +- [[the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership]] +- [[creator-brand-partnerships-shifting-from-transactional-campaigns-to-long-term-joint-ventures-with-shared-formats-audiences-and-revenue]] +- [[fanchise management is a stack of increasing fan engagement from content extensions through co-creation and co-ownership]] + +Topics: +- [[domains/entertainment/_map]] diff --git a/domains/entertainment/consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis.md b/domains/entertainment/consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis.md new file mode 100644 index 00000000..6689afce --- /dev/null +++ b/domains/entertainment/consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis.md @@ -0,0 +1,47 @@ +--- +type: claim +domain: entertainment +secondary_domains: [cultural-dynamics] +description: "IAB 2026 data shows consumer negative sentiment toward AI ads rose 12 percentage points year-over-year while AI quality was improving dramatically, directly falsifying the common assumption that exposure normalizes acceptance" +confidence: likely +source: "Clay, from IAB 'The AI Ad Gap Widens' report, 2026" +created: 2026-03-12 +depends_on: ["GenAI adoption in entertainment will be gated by consumer acceptance not technology capability"] +challenged_by: [] +--- + +# Consumer rejection of AI-generated ads intensifies as AI quality improves, disproving the exposure-leads-to-acceptance hypothesis + +The most common prediction about consumer resistance to AI-generated content is that it will erode as AI quality improves and as consumers habituate through repeated exposure. The IAB's 2026 AI Ad Gap Widens report provides direct quantitative evidence against this prediction in the advertising domain. + +Between 2024 and 2026 — a period when AI generative quality improved dramatically — consumer negative sentiment toward AI-generated ads increased by 12 percentage points. Simultaneously, the share of neutral respondents fell from 34% to 25%. Consumers are not staying neutral as they get more exposure to AI content; they are forming stronger opinions, and predominantly negative ones. + +The polarization data is particularly significant. A naive exposure-leads-to-acceptance model predicts that neutrals gradually migrate to positive sentiment as the content becomes familiar. The actual pattern is the opposite: neutrals are disappearing but migrating toward negative sentiment. This suggests that increased familiarity is producing informed rejection, not normalized acceptance. + +## Proposed mechanism + +As AI quality improves, consumers become better at detecting AI-generated content — and detection triggers rejection rather than acceptance. Paradoxically, higher-quality AI content may make the authenticity question more salient, not less. When AI ads become more polished, they compete directly against human-created ads on the same aesthetic plane, making the question of provenance more visible. The uncanny valley may apply to authenticity perception, not just visual realism. + +This is consistent with the broader trend toward "human-made" as an active premium label: the harder AI is to detect, the more valuable explicit provenance signals become. Consumers aren't rejecting AI because it looks bad — they're rejecting it because they learned to care who made it. + +## Evidence + +- **IAB 2026 AI Ad Gap Widens report**: Consumer negative sentiment toward AI ads increased 12 percentage points from 2024 to 2026 +- **IAB 2026**: Neutral respondents dropped from 34% to 25% over the same period (polarization, not normalization) +- **IAB 2026**: Only 45% of consumers report very/somewhat positive sentiment about AI ads +- **Temporal control**: The 2024→2026 window coincides with major AI quality improvements (Sora, multimodal systems, etc.), ruling out "AI got worse" as an explanation + +## Challenges + +The IAB data covers advertising specifically. It is possible that advertising is a particularly hostile context for AI due to the inherent skepticism consumers bring to commercial messaging. The acceptance-through-exposure hypothesis may still hold in entertainment contexts (e.g., AI-generated film VFX, background music) where provenance is less salient. This claim is strongest for consumer-facing AI-branded content; it is weaker for AI-assisted production invisible to consumers. + +--- + +Relevant Notes: +- [[GenAI adoption in entertainment will be gated by consumer acceptance not technology capability]] — the parent claim; this provides direct empirical evidence in a surprising direction +- [[human-made-is-becoming-a-premium-label-analogous-to-organic-as-AI-generated-content-becomes-dominant]] — the market response to intensifying rejection +- [[consumer definition of quality is fluid and revealed through preference not fixed by production value]] — quality now includes provenance as a dimension, which is what consumers are rejecting on + +Topics: +- [[entertainment]] +- [[cultural-dynamics]] diff --git a/domains/entertainment/creator-brand-partnerships-shifting-from-transactional-campaigns-to-long-term-joint-ventures-with-shared-formats-audiences-and-revenue.md b/domains/entertainment/creator-brand-partnerships-shifting-from-transactional-campaigns-to-long-term-joint-ventures-with-shared-formats-audiences-and-revenue.md index 983bbe9e..31a0a58d 100644 --- a/domains/entertainment/creator-brand-partnerships-shifting-from-transactional-campaigns-to-long-term-joint-ventures-with-shared-formats-audiences-and-revenue.md +++ b/domains/entertainment/creator-brand-partnerships-shifting-from-transactional-campaigns-to-long-term-joint-ventures-with-shared-formats-audiences-and-revenue.md @@ -34,6 +34,12 @@ This claim is rated experimental because: The claim describes an emerging pattern and stated industry prediction rather than an established norm. + +### Additional Evidence (extend) +*Source: [[2025-02-27-fortune-mrbeast-5b-valuation-beast-industries]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +Beast Industries represents the structural endpoint of creator-brand integration: full vertical ownership rather than partnership. The company owns five verticals (software via Viewstats, CPG via Feastables and Lunchly, health/wellness, media, video games) with Feastables in 30,000+ retail locations, demonstrating that creator-owned brands achieve traditional retail distribution at scale. The $5B valuation suggests investors view fully integrated creator-owned product companies as more valuable than partnership models, as the creator captures all margin rather than splitting with brand partners. This extends the partnership trajectory from transactional campaigns → joint ventures → full creator ownership of the product vertical. + --- Relevant Notes: diff --git a/domains/entertainment/gen-z-hostility-to-ai-generated-advertising-is-stronger-than-millennials-and-widening-making-gen-z-a-negative-leading-indicator-for-ai-content-acceptance.md b/domains/entertainment/gen-z-hostility-to-ai-generated-advertising-is-stronger-than-millennials-and-widening-making-gen-z-a-negative-leading-indicator-for-ai-content-acceptance.md new file mode 100644 index 00000000..f7eb8c7e --- /dev/null +++ b/domains/entertainment/gen-z-hostility-to-ai-generated-advertising-is-stronger-than-millennials-and-widening-making-gen-z-a-negative-leading-indicator-for-ai-content-acceptance.md @@ -0,0 +1,61 @@ +--- +type: claim +domain: entertainment +secondary_domains: [cultural-dynamics] +description: "Gen Z rates AI-generated ads more negatively than Millennials on every measured dimension — 39% vs 20% negative sentiment — and the generational gap widened from 2024 to 2026, making Gen Z's rejection a forward indicator for where mainstream sentiment is heading" +confidence: experimental +source: "Clay, from IAB 'The AI Ad Gap Widens' report, 2026" +created: 2026-03-12 +depends_on: ["GenAI adoption in entertainment will be gated by consumer acceptance not technology capability", "consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis"] +challenged_by: [] +--- + +# Gen Z hostility to AI-generated advertising is stronger than Millennials and widening, making Gen Z a negative leading indicator for AI content acceptance + +Gen Z consumers are more hostile to AI-generated advertising than Millennials across every measured dimension, and the gap between the two cohorts widened from 2024 to 2026. Because Gen Z is the youngest fully-addressable consumer cohort, their attitudes represent where mainstream consumer sentiment is likely to move — not an aberration that will normalize as the cohort ages. + +## The data + +**Negative sentiment**: +- Gen Z: 39% negative +- Millennials: 20% negative +- Gap: 19 percentage points (widened from 6 points in 2024: 21% vs. 15%) + +**Brand attribute perception (Gen Z vs. Millennials rating AI-using brands)**: +- "Lacks authenticity": 30% (Gen Z) vs. 13% (Millennials) +- "Disconnected": 26% (Gen Z) vs. 8% (Millennials) +- "Unethical": 24% (Gen Z) vs. 8% (Millennials) + +The Gen Z-Millennial gap tripled on disconnectedness (from roughly even to 3:1) and more than tripled on unethical (roughly even to 3:1). This is not generational noise — this is a systematic divergence on values dimensions that Gen Z weights heavily. + +## Why Gen Z as leading indicator, not outlier + +The standard framing of generational divides treats the younger cohort as a laggard that will converge to mainstream norms as they age and gain purchasing power. This framing is wrong for AI content because: + +1. **Digital nativeness makes Gen Z more capable of detecting AI**, not less. They grew up with generative tools; they know what AI content looks and feels like. Their rejection is informed, not naive. +2. **Gen Z's authenticity framework is more developed**. Creators, not studios, formed their cultural reference points. Authenticity is a core value in creator culture in a way it was not in broadcast-era media. AI content violates that framework. +3. **They are approaching peak purchasing power**. Gen Z is entering prime consumer years. The advertising industry that ignores their values will face rising cost-per-acquisition as the largest cohorts turn hostile. + +The leading-indicator interpretation implies that current Millennial negative sentiment (20%) is a lagged version of what is coming. If Gen Z's rate (39%) is where cohorts eventually stabilize as awareness increases, total market negative sentiment will approximately double from current levels. + +## Evidence + +- **IAB 2026**: Gen Z 39% negative vs. Millennial 20% negative +- **IAB 2026**: Gen Z-Millennial gap widened significantly from 2024 (21% vs. 15% in 2024 → 39% vs. 20% in 2026) +- **IAB 2026**: Gen Z rates AI-using brands as lacking authenticity (30% vs. 13%), disconnected (26% vs. 8%), and unethical (24% vs. 8%) +- **Trend direction**: Gap widened over 2 years while both cohorts had more exposure to AI content — consistent with informed rejection not naive confusion + +## Challenges + +This claim depends on the leading-indicator framing — that Gen Z attitudes predict future mainstream attitudes rather than representing a cohort-specific view that moderates with age. The alternative hypothesis is that Gen Z attitudes are a developmental stage artifact (younger people are more idealistic about authenticity) that will moderate as they age into consumption patterns similar to Millennials. The 2024→2026 widening of the gap slightly favors the leading-indicator interpretation over the developmental-stage hypothesis, but two years is insufficient to distinguish them. + +--- + +Relevant Notes: +- [[consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis]] — the overall trend this cohort data sharpens +- [[the-advertiser-consumer-ai-perception-gap-is-a-widening-structural-misalignment-not-a-temporal-communications-lag]] — Gen Z data makes the structural case stronger: the cohort most likely to increase in market share is the most hostile +- [[human-made-is-becoming-a-premium-label-analogous-to-organic-as-AI-generated-content-becomes-dominant]] — Gen Z's authenticity-first values are the demand-side driver of human-made premium + +Topics: +- [[entertainment]] +- [[cultural-dynamics]] diff --git a/domains/entertainment/the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership.md b/domains/entertainment/the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership.md index 84eb6253..a4613882 100644 --- a/domains/entertainment/the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership.md +++ b/domains/entertainment/the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership.md @@ -290,6 +290,12 @@ Entertainment is the domain where TeleoHumanity eats its own cooking. The crystallization of 'human-made' as a premium label adds a new dimension to the scarcity analysis: not just community and ownership, but verifiable human provenance becomes scarce and valuable as AI content becomes abundant. EY's guidance that companies must 'keep what people see and feel recognizably human—authentic faces, genuine stories and shared cultural moments' to build 'deeper trust and stronger brand value' suggests human provenance is becoming a distinct scarce complement alongside community and ownership. As production costs collapse toward compute costs (per the non-ATL production costs claim), the ability to credibly signal human creation becomes a scarce resource that differentiates content. Community-owned IP may have structural advantage in signaling this provenance because ownership structure itself communicates human creation, while corporate content must construct proof through external verification. This extends the attractor claim by identifying human provenance as an additional scarce complement that becomes valuable in the AI-abundant, community-filtered media landscape. + +### Additional Evidence (confirm) +*Source: [[2025-02-27-fortune-mrbeast-5b-valuation-beast-industries]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +Beast Industries' $5B valuation and revenue trajectory ($899M → $1.6B → $4.78B by 2029) with media projected at only 1/5 of revenue by 2026 provides enterprise-scale validation of content-as-loss-leader. The media business operates at ~$80M loss while Feastables generates $250M revenue with $20M+ profit, demonstrating that content functions as customer acquisition infrastructure rather than primary revenue source. The $5B valuation prices the integrated system (content → audience → products) rather than content alone, representing market validation that this attractor state is real and scalable. Feastables' presence in 30,000+ retail locations (Walmart, Target, 7-Eleven) shows the model translates to physical retail distribution, not just direct-to-consumer. This is the first enterprise-scale validation of the loss-leader model where media revenue is subordinate to product revenue. + --- Relevant Notes: diff --git a/domains/entertainment/the-advertiser-consumer-ai-perception-gap-is-a-widening-structural-misalignment-not-a-temporal-communications-lag.md b/domains/entertainment/the-advertiser-consumer-ai-perception-gap-is-a-widening-structural-misalignment-not-a-temporal-communications-lag.md new file mode 100644 index 00000000..6dbff6ee --- /dev/null +++ b/domains/entertainment/the-advertiser-consumer-ai-perception-gap-is-a-widening-structural-misalignment-not-a-temporal-communications-lag.md @@ -0,0 +1,52 @@ +--- +type: claim +domain: entertainment +secondary_domains: [cultural-dynamics] +description: "The 37-point gap between advertiser beliefs about consumer AI sentiment (82% positive) and actual consumer sentiment (45% positive) widened from 32 points in 2024, indicating the advertising industry holds systematically wrong beliefs that are getting worse not better" +confidence: likely +source: "Clay, from IAB 'The AI Ad Gap Widens' report, 2026" +created: 2026-03-12 +depends_on: ["GenAI adoption in entertainment will be gated by consumer acceptance not technology capability"] +challenged_by: [] +--- + +# The advertiser-consumer AI perception gap is a widening structural misalignment, not a temporal communications lag + +The advertising industry holds beliefs about consumer sentiment toward AI-generated ads that are systematically and increasingly wrong. The IAB's 2026 AI Ad Gap Widens report documents: + +- **82%** of ad executives believe Gen Z/Millennials feel very or somewhat positive about AI ads +- **45%** of consumers actually report positive sentiment +- **Gap = 37 percentage points** — up from 32 points in 2024 + +The direction of the trend matters as much as the magnitude. A 5-point widening over two years, during a period of intense industry AI discourse, suggests this is not a communications problem that more education will solve. Advertisers are becoming *more* confident about consumer acceptance even as consumer rejection is intensifying. + +## Why this is structural, not informational + +The standard explanation for perception gaps is information asymmetry: industry insiders lack visibility into consumer sentiment. But the IAB publishes this data; ad executives have access to consumer sentiment surveys. The gap is persisting and widening not because advertisers lack information but because their incentives and selection pressures push them toward optimistic beliefs. + +Several structural forces maintain the misalignment: +1. **Agency incentives**: Ad agencies earn fees for producing AI content; admitting consumer resistance reduces business justification +2. **Executive selection**: Leaders who championed AI adoption must believe adoption will succeed to justify past decisions +3. **Attribute framing gaps**: Ad executives associate AI with "forward-thinking" (46%) and "innovative" (49%), while consumers are more likely to associate it with "manipulative" (20% vs. executives' 10%) and "unethical" (16% vs. 7%). They are not measuring the same attributes + +## Evidence + +- **IAB 2026**: 82% advertiser positive-sentiment belief vs. 45% consumer positive sentiment = 37pp gap +- **IAB 2026**: Gap was 32 points in 2024 — widened by 5 points in two years +- **IAB 2026 attribute data**: "Forward-thinking" — 46% ad executives vs. 22% consumers; "Innovative" — 49% ad executives vs. 23% consumers (down from 30% in 2024); "Manipulative" — 10% ad executives vs. 20% consumers; "Unethical" — 7% ad executives vs. 16% consumers +- **Temporal pattern**: Gap widened during a period when AI industry discussion increased, not decreased — suggesting more information flow did not close the gap + +## Challenges + +The IAB is the Interactive Advertising Bureau — the industry association for digital advertisers. This gives the report authority with the industry it covers, but it also means the survey methodology and framing reflect industry assumptions. The "positive/negative" binary may not fully capture consumer nuance. Additionally, consumers self-report sentiment in surveys but their revealed preference (ad engagement) might diverge from stated sentiment. + +--- + +Relevant Notes: +- [[consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis]] — the demand-side of the same misalignment: consumer rejection is growing while advertiser optimism is growing +- [[GenAI adoption in entertainment will be gated by consumer acceptance not technology capability]] — this misalignment means the advertiser-as-gatekeeper of AI adoption is systematically miscalibrated +- [[human-made-is-becoming-a-premium-label-analogous-to-organic-as-AI-generated-content-becomes-dominant]] — the market mechanism that will eventually correct the misalignment (when human-made premium pricing arrives) + +Topics: +- [[entertainment]] +- [[cultural-dynamics]] diff --git a/domains/health/CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md b/domains/health/CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md index 63b8ff9d..c2ad0481 100644 --- a/domains/health/CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md +++ b/domains/health/CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md @@ -34,6 +34,12 @@ The broader 2027 rate environment compounds the pressure into a three-pronged sq This is a proxy inertia story. Since [[proxy inertia is the most reliable predictor of incumbent failure because current profitability rationally discourages pursuit of viable futures]], the incumbents who built their MA economics around coding optimization will struggle to shift toward genuine quality competition. The plans that never relied on coding arbitrage (Devoted, Alignment, Kaiser) are better positioned. + +### Additional Evidence (extend) +*Source: [[2026-02-23-cbo-medicare-trust-fund-2040-insolvency]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +(extend) The trust fund insolvency timeline creates intensifying pressure for MA payment reform through the 2030s. With exhaustion now projected for 2040 (12 years earlier than 2025 estimates), MA overpayments of $84B/year become increasingly unsustainable from a fiscal perspective. Reducing MA benchmarks could save $489B over the decade, significantly extending solvency. The chart review exclusion is one mechanism in a broader reform trajectory: either restructure MA payments or accept automatic 8-10% benefit cuts for all Medicare beneficiaries starting 2040. The political economy strongly favors MA reform over across-the-board cuts, meaning chart review exclusions will likely be part of a suite of MA payment reforms driven by fiscal necessity rather than ideological preference. + --- Relevant Notes: diff --git a/domains/health/medicare-fiscal-pressure-forces-ma-reform-by-2030s-through-arithmetic-not-ideology.md b/domains/health/medicare-fiscal-pressure-forces-ma-reform-by-2030s-through-arithmetic-not-ideology.md new file mode 100644 index 00000000..6ef26b13 --- /dev/null +++ b/domains/health/medicare-fiscal-pressure-forces-ma-reform-by-2030s-through-arithmetic-not-ideology.md @@ -0,0 +1,40 @@ +--- +type: claim +domain: health +description: "Trust fund exhaustion timeline combined with MA overpayments creates mathematical forcing function for structural reform independent of political control" +confidence: likely +source: "CBO Medicare projections (2026), MA overpayment analysis" +created: 2026-03-11 +depends_on: + - medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md +--- + +# Medicare fiscal pressure forces MA reform by 2030s through arithmetic not ideology + +The convergence of three fiscal dynamics creates a mathematical forcing function for Medicare Advantage reform within the 2030s, independent of which party controls government: + +1. **Trust fund exhaustion by 2040** — triggering automatic 8-10% benefit cuts without Congressional action +2. **MA overpayments of $84B/year ($1.2T/decade)** — accelerating trust fund depletion +3. **Locked-in demographics** — working-age to 65+ ratio declining from 2.8:1 to 2.2:1 by 2055 + +Reducing MA benchmarks could save $489B over the decade, significantly extending trust fund solvency. The arithmetic creates intensifying pressure through the late 2020s and 2030s: either reform MA payment structures or accept automatic benefit cuts starting in 2040. + +This is not an ideological prediction but a fiscal constraint. The 2055→2040 solvency collapse in under one year demonstrates how little fiscal margin exists. MA reform becomes the path of least resistance compared to across-the-board benefit cuts affecting all Medicare beneficiaries. + +## Why This Forces Action + +Politicians face a choice between: +- **Option A:** Reform MA overpayments (affects ~50% of beneficiaries, mostly through plan changes) +- **Option B:** Accept automatic 8-10% benefit cuts for 100% of Medicare beneficiaries in 2040 + +The political economy strongly favors Option A. The fiscal pressure builds continuously through the 2030s as the exhaustion date approaches, creating windows for reform regardless of partisan control. + +--- + +Relevant Notes: +- medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md +- CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring +- value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk + +Topics: +- domains/health/_map diff --git a/domains/health/medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md b/domains/health/medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md new file mode 100644 index 00000000..1ea6e117 --- /dev/null +++ b/domains/health/medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md @@ -0,0 +1,43 @@ +--- +type: claim +domain: health +description: "CBO projection collapsed from 2055 to 2040 in under one year after tax legislation, revealing Medicare's structural vulnerability to revenue changes" +confidence: proven +source: "Congressional Budget Office projections (March 2025, February 2026) via Healthcare Dive" +created: 2026-03-11 +--- + +# Medicare trust fund insolvency accelerated 12 years by single tax bill demonstrating fiscal fragility of demographic-dependent entitlements + +The Medicare Hospital Insurance Trust Fund's projected exhaustion date collapsed from 2055 (March 2025 CBO estimate) to 2040 (February 2026 revised estimate) — a loss of 12 years of solvency in under one year. The primary driver was Republicans' "Big Beautiful Bill" (signed July 2025), which lowered taxes and created a temporary deduction for Americans 65+, reducing Medicare revenues from taxing Social Security benefits alongside lower projected payroll tax revenue and interest income. + +This demonstrates Medicare's extreme fiscal sensitivity: one tax bill erased over a decade of projected solvency. The speed of collapse reveals how thin the margin is between demographic pressure and fiscal sustainability. + +## Consequences and Timeline + +By law, if the trust fund runs dry, Medicare is restricted to paying out only what it takes in. This triggers automatic benefit reductions starting at **8% in 2040**, climbing to **10% by 2056**. No automatic solution exists — Congressional action is required. + +The 2040 date creates a 14-year countdown for structural Medicare reform, with fiscal pressure intensifying through the late 2020s and 2030s regardless of which party controls government. + +## Demographic Lock-In + +The underlying pressure is locked in by demographics already born: +- Baby boomers all 65+ by 2030 +- 65+ population: 39.7M (2010) → 67M (2030) +- Working-age to 65+ ratio: 2.8:1 (2025) → 2.2:1 (2055) +- OECD old-age dependency ratio: 31.3% (2023) → 40.4% (2050) + +These are not projections but demographic certainties. + +## Interaction with MA Overpayments + +MA overpayments ($84B/year, $1.2T/decade) accelerate trust fund depletion. Reducing MA benchmarks could save $489B, significantly extending solvency. The fiscal collision: demographic pressure + MA overpayments + tax revenue reduction = accelerating insolvency that forces reform conversations within the 2030s. + +--- + +Relevant Notes: +- the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline +- value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk + +Topics: +- domains/health/_map diff --git a/domains/health/the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline.md b/domains/health/the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline.md index e7062002..a23f37e5 100644 --- a/domains/health/the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline.md +++ b/domains/health/the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline.md @@ -31,6 +31,12 @@ The fundamental tension in healthcare economics: medicine can now cure diseases The composition of spending shifts dramatically: less on chronic disease management (diabetes complications, repeat cardiovascular events, lifelong hemophilia factor), more on curative interventions (gene therapy, personalized vaccines), prevention (MCED screening, GLP-1s), and new care categories. Per-capita health outcomes improve substantially, but per-capita spending also increases. The deflationary equilibrium is real but 15-20 years away, not 5-10. + +### Additional Evidence (extend) +*Source: [[2026-02-23-cbo-medicare-trust-fund-2040-insolvency]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +(extend) The Medicare trust fund fiscal pressure adds a constraint layer to the cost curve dynamics. While new capabilities create upward cost pressure through expanded treatment populations, the trust fund exhaustion timeline (now 2040, accelerated from 2055 by tax policy changes) creates a hard fiscal boundary. The convergence of demographic pressure (working-age to 65+ ratio declining to 2.2:1 by 2055), MA overpayments ($1.2T/decade), and reduced tax revenues means automatic 8-10% benefit cuts starting 2040 unless structural reforms occur. This fiscal ceiling will force coverage and payment decisions in the 2030s independent of technology trajectories, potentially constraining the cost curve expansion that new capabilities would otherwise enable. + --- Relevant Notes: diff --git a/domains/internet-finance/MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md b/domains/internet-finance/MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md index af4a788c..8f864e27 100644 --- a/domains/internet-finance/MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md +++ b/domains/internet-finance/MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md @@ -11,7 +11,7 @@ source: "MetaDAO Terms of Service, Founder/Operator Legal Pack, inbox research f MetaDAO is the platform that makes futarchy governance practical for token launches and ongoing project governance. It is currently the only launchpad where every project gets futarchy governance from day one, and where treasury spending is structurally constrained through conditional markets rather than discretionary team control. -**What MetaDAO is.** A futarchy-as-a-service platform on Solana. Projects apply, get evaluated via futarchy proposals, raise capital through STAMP agreements, and launch with futarchy governance embedded. Since [[MetaDAOs Cayman SPC houses all launched projects as ring-fenced SegCos under a single entity with MetaDAO LLC as sole Director]], the platform provides both the governance mechanism and the legal chassis. +**What MetaDAO is.** A futarchy-as-a-service platform on Solana. Projects apply, get evaluated via futarchy proposals, raise capital through STAMP agreements, and launch with futarchy governance embedded. Since MetaDAOs Cayman SPC houses all launched projects as ring-fenced SegCos under a single entity with MetaDAO LLC as sole Director, the platform provides both the governance mechanism and the legal chassis. **The entity.** MetaDAO LLC is a Republic of the Marshall Islands DAO limited liability company (852 Lagoon Rd, Majuro, MH 96960). It serves as sole Director of the Futarchy Governance SPC (Cayman Islands). Contact: kollan@metadao.fi. Kollan House (known as "Nallok" on social media) is the key operator. @@ -28,7 +28,7 @@ MetaDAO is the platform that makes futarchy governance practical for token launc **Standard token issuance template:** 10M token base issuance + 2M AMM + 900K Meteora + performance package. Projects customize within this framework. -**Unruggable ICO model.** MetaDAO's innovation is the "unruggable ICO" -- initial token sales where everyone participates at the same price with no privileged seed or private rounds. Combined with STAMP spending allowances and futarchy governance, this prevents the treasury extraction that killed legacy ICOs. Since [[STAMP replaces SAFE plus token warrant by adding futarchy-governed treasury spending allowances that prevent the extraction problem that killed legacy ICOs]], the investment instrument and governance are designed as a system. +**Unruggable ICO model.** MetaDAO's innovation is the "unruggable ICO" -- initial token sales where everyone participates at the same price with no privileged seed or private rounds. Combined with STAMP spending allowances and futarchy governance, this prevents the treasury extraction that killed legacy ICOs. Since STAMP replaces SAFE plus token warrant by adding futarchy-governed treasury spending allowances that prevent the extraction problem that killed legacy ICOs, the investment instrument and governance are designed as a system. **Ecosystem (launched projects as of early 2026):** - **MetaDAO** ($META) — the platform itself @@ -56,41 +56,47 @@ Raises include: Ranger ($6M minimum, uncapped), Solomon ($102.9M committed, $8M **Treasury deployment (Mar 2026).** @oxranga proposed formation of a DAO treasury subcommittee with $150k legal/compliance budget as staged path to deploy the DAO treasury — the first concrete governance proposal to operationalize treasury management with institutional scaffolding. -**MetaLeX partnership.** Since [[MetaLex BORG structure provides automated legal entity formation for futarchy-governed investment vehicles through Cayman SPC segregated portfolios with on-chain representation]], the go-forward infrastructure automates entity creation. MetaLeX services are "recommended and configured as default" but not mandatory. Economics: $150K advance + 7% of platform fees for 3 years per BORG. +**MetaLeX partnership.** Since MetaLex BORG structure provides automated legal entity formation for futarchy-governed investment vehicles through Cayman SPC segregated portfolios with on-chain representation, the go-forward infrastructure automates entity creation. MetaLeX services are "recommended and configured as default" but not mandatory. Economics: $150K advance + 7% of platform fees for 3 years per BORG. **Institutional validation (Feb 2026).** Theia Capital holds MetaDAO specifically for "prioritizing investors over teams" — identifying this as the competitive moat that creates network effects and switching costs in token launches. Theia describes MetaDAO as addressing "the Token Problem" (the lemon market dynamic in token launches). This is significant because Theia is a rigorous, fundamentals-driven fund using Kelly Criterion sizing and Bayesian updating — not a momentum trader. Their MetaDAO position is a structural bet on the platform's competitive advantage, not a narrative trade. (Source: Theia 2025 Annual Letter, Feb 12 2026) **Why MetaDAO matters for Living Capital.** Since [[Living Capital vehicles pair Living Agent domain expertise with futarchy-governed investment to direct capital toward crucial innovations]], MetaDAO is the existing platform where Rio's fund would launch. The entire legal + governance + token infrastructure already exists. The question is not whether to build this from scratch but whether MetaDAO's existing platform serves Living Capital's needs well enough -- or whether modifications are needed. -**Three-tier dispute resolution:** Protocol decisions via futarchy (on-chain), technical disputes via review panel, legal disputes via JAMS arbitration (Cayman Islands). The layered approach means on-chain governance handles day-to-day decisions while legal mechanisms provide fallback. Since [[MetaDAOs three-layer legal hierarchy separates formation agreements from contractual relationships from regulatory armor with each layer using different enforcement mechanisms]], the governance and legal structures are designed to work together. +**Three-tier dispute resolution:** Protocol decisions via futarchy (on-chain), technical disputes via review panel, legal disputes via JAMS arbitration (Cayman Islands). The layered approach means on-chain governance handles day-to-day decisions while legal mechanisms provide fallback. Since MetaDAOs three-layer legal hierarchy separates formation agreements from contractual relationships from regulatory armor with each layer using different enforcement mechanisms, the governance and legal structures are designed to work together. ### Additional Evidence (extend) -*Source: [[2026-01-01-futardio-launch-mycorealms]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* +*Source: 2026-01-01-futardio-launch-mycorealms | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* MycoRealms launch on Futardio demonstrates MetaDAO platform capabilities in production: $125,000 USDC raise with 72-hour permissionless window, automatic treasury deployment if target reached, full refunds if target missed. Launch structure includes 10M ICO tokens (62.9% of supply), 2.9M tokens for liquidity provision (2M on Futarchy AMM, 900K on Meteora pool), with 20% of funds raised ($25K) paired with LP tokens. First physical infrastructure project (mushroom farm) using the platform, extending futarchy governance from digital to real-world operations with measurable outcomes (temperature, humidity, CO2, yield). ### Additional Evidence (extend) -*Source: [[2026-03-03-futardio-launch-futardio-cult]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* +*Source: 2026-03-03-futardio-launch-futardio-cult | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* Futardio cult launch (2026-03-03 to 2026-03-04) demonstrates MetaDAO's platform supports purely speculative meme coin launches, not just productive ventures. The project raised $11,402,898 against a $50,000 target in under 24 hours (22,706% oversubscription) with stated fund use for 'fan merch, token listings, private events/partys'—consumption rather than productive infrastructure. This extends MetaDAO's demonstrated use cases beyond productive infrastructure (Myco Realms mushroom farm, $125K) to governance-enhanced speculative tokens, suggesting futarchy's anti-rug mechanisms appeal across asset classes. ### Additional Evidence (extend) -*Source: [[2026-03-07-futardio-launch-areal]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* +*Source: 2026-03-07-futardio-launch-areal | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* (challenge) Areal's failed Futardio launch ($11,654 raised of $50K target, REFUNDING status) demonstrates that futarchy-governed fundraising does not guarantee capital formation success. The mechanism provides credible exit guarantees through market-governed liquidation and governance quality through conditional markets, but market participants still evaluate project fundamentals and team credibility. Futarchy reduces rug risk but does not eliminate market skepticism of unproven business models or early-stage teams. + +### Additional Evidence (extend) +*Source: [[2024-06-05-futardio-proposal-fund-futuredaos-token-migrator]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +FutureDAO's token migrator extends the unruggable ICO concept to community takeovers of existing projects. The tool uses a 60% presale threshold as the success condition: if presale reaches 60% of target, migration proceeds with new LP creation; if not, all SOL is refunded and new tokens are burned. This applies the conditional market logic to post-launch rescues rather than just initial launches. The proposal describes the tool as addressing 'Rugged Projects: Preserve community and restore value in projects affected by rug pulls' and 'Hostile Takeovers: Enabling projects to acquire other projects and empowering communities to assert control over failed project teams.' The mechanism creates on-chain enforcement of community coordination thresholds for takeover scenarios, extending MetaDAO's unruggable ICO pattern to the secondary market for abandoned projects. + --- Relevant Notes: -- [[MetaDAOs Cayman SPC houses all launched projects as ring-fenced SegCos under a single entity with MetaDAO LLC as sole Director]] -- the legal structure housing all projects +- MetaDAOs Cayman SPC houses all launched projects as ring-fenced SegCos under a single entity with MetaDAO LLC as sole Director -- the legal structure housing all projects - [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] -- the governance mechanism -- [[STAMP replaces SAFE plus token warrant by adding futarchy-governed treasury spending allowances that prevent the extraction problem that killed legacy ICOs]] -- the investment instrument -- [[MetaLex BORG structure provides automated legal entity formation for futarchy-governed investment vehicles through Cayman SPC segregated portfolios with on-chain representation]] -- the automated legal infrastructure -- [[MetaDAOs three-layer legal hierarchy separates formation agreements from contractual relationships from regulatory armor with each layer using different enforcement mechanisms]] -- the legal architecture -- [[two legal paths through MetaDAO create a governance binding spectrum from commercially reasonable efforts to legally binding and determinative]] -- the governance binding options +- STAMP replaces SAFE plus token warrant by adding futarchy-governed treasury spending allowances that prevent the extraction problem that killed legacy ICOs -- the investment instrument +- MetaLex BORG structure provides automated legal entity formation for futarchy-governed investment vehicles through Cayman SPC segregated portfolios with on-chain representation -- the automated legal infrastructure +- MetaDAOs three-layer legal hierarchy separates formation agreements from contractual relationships from regulatory armor with each layer using different enforcement mechanisms -- the legal architecture +- two legal paths through MetaDAO create a governance binding spectrum from commercially reasonable efforts to legally binding and determinative -- the governance binding options - [[Living Capital vehicles pair Living Agent domain expertise with futarchy-governed investment to direct capital toward crucial innovations]] -- why MetaDAO matters for Living Capital Topics: diff --git a/domains/internet-finance/MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window.md b/domains/internet-finance/MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window.md index 4d7b92bb..07f4313c 100644 --- a/domains/internet-finance/MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window.md +++ b/domains/internet-finance/MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window.md @@ -53,6 +53,12 @@ Autocrat is MetaDAO's core governance program on Solana -- the on-chain implemen **Limitations.** [[MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions]] -- when proposals are clearly good or clearly bad, few traders participate because the expected profit from trading in a consensus market is near zero. This is a structural feature, not a bug: contested decisions get more participation precisely because they're uncertain, which is when you most need information aggregation. But it does mean uncontested proposals can pass or fail with very thin markets, making the TWAP potentially noisy. + +### Additional Evidence (extend) +*Source: [[2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* + +Sanctum's Wonder proposal (2frDGSg1frwBeh3bc6R7XKR2wckyMTt6pGXLGLPgoota, created 2025-03-28, completed 2025-03-31) represents the first major test of Autocrat futarchy for strategic product direction rather than treasury operations. The team explicitly stated: 'Even though this is not a proposal that involves community CLOUD funds, this is going to be the largest product decision ever made by the Sanctum team, so we want to put it up to governance vote.' The proposal to build a consumer mobile app (Wonder) with automatic yield optimization, gasless transfers, and curated project participation failed despite team conviction backed by market comparables (Phantom $3B valuation, Jupiter $1.7B market cap, MetaMask $320M swap fees). This demonstrates Autocrat's capacity to govern strategic pivots beyond operational decisions, though the failure raises questions about whether futarchy markets discount consumer product risk or disagreed with the user segmentation thesis. + --- Relevant Notes: diff --git a/domains/internet-finance/MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions.md b/domains/internet-finance/MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions.md index 7e557c94..450f8b92 100644 --- a/domains/internet-finance/MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions.md +++ b/domains/internet-finance/MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions.md @@ -23,6 +23,12 @@ This evidence has direct implications for governance design. It suggests that [[ Optimism's futarchy experiment achieved 5,898 total trades from 430 active forecasters (average 13.6 transactions per person) over 21 days, with 88.6% being first-time Optimism governance participants. This suggests futarchy CAN attract substantial engagement when implemented at scale with proper incentives, contradicting the limited-volume pattern observed in MetaDAO. Key differences: Optimism used play money (lower barrier to entry), had institutional backing (Uniswap Foundation co-sponsor), and involved grant selection (clearer stakes) rather than protocol governance decisions. The participation breadth (10 countries, 4 continents, 36 new users/day) suggests the limited-volume finding may be specific to MetaDAO's implementation or use case rather than a structural futarchy limitation. + +### Additional Evidence (confirm) +*Source: [[2026-02-26-futardio-launch-fitbyte]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* + +FitByte ICO attracted only $23 in total commitments against a $500,000 target before entering refund status. This represents an extreme case of limited participation in a futarchy-governed decision. The conditional markets had essentially zero liquidity, making price discovery impossible and demonstrating that futarchy mechanisms require minimum participation thresholds to function. When a proposal is clearly weak (no technical details, no partnerships, ambitious claims without evidence), the market doesn't trade—it simply doesn't participate, leading to immediate refund rather than price-based rejection. + --- Relevant Notes: diff --git a/domains/internet-finance/Polymarket vindicated prediction markets over polling in 2024 US election.md b/domains/internet-finance/Polymarket vindicated prediction markets over polling in 2024 US election.md index 84c02344..84ed3809 100644 --- a/domains/internet-finance/Polymarket vindicated prediction markets over polling in 2024 US election.md +++ b/domains/internet-finance/Polymarket vindicated prediction markets over polling in 2024 US election.md @@ -16,6 +16,12 @@ The demonstration mattered because it moved prediction markets from theoretical This empirical proof connects to [[MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions]]—even small, illiquid markets can provide value if the underlying mechanism is sound. Polymarket proved the mechanism works at scale; MetaDAO is proving it works even when small. + +### Additional Evidence (extend) +*Source: [[2026-01-20-polymarket-cftc-approval-qcx-acquisition]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +Post-election vindication translated into sustained product-market fit: monthly volume hit $2.6B by late 2024, recently surpassed $1B in weekly trading volume (January 2026), and the platform is targeting a $20B valuation. Polymarket achieved US regulatory compliance through a $112M acquisition of QCX (a CFTC-regulated DCM and DCO) in January 2026, establishing prediction markets as federally-regulated derivatives rather than state-regulated gambling. However, Nevada Gaming Control Board sued Polymarket in late January 2026 over sports prediction contracts, creating a federal-vs-state jurisdictional conflict that remains unresolved. To address manipulation concerns, Polymarket partnered with Palantir and TWG AI to build surveillance systems detecting suspicious trading patterns, screening participants, and generating compliance reports shareable with regulators and sports leagues. The Block reports the prediction market space 'exploded in 2025,' with both Polymarket and Kalshi (the two dominant platforms) targeting $20B valuations. + --- Relevant Notes: diff --git a/domains/internet-finance/SPL-404-enables-fungible-NFT-swap-revenue-for-DAOs-by-bridging-governance-tokens-and-NFT-liquidity-on-Solana.md b/domains/internet-finance/SPL-404-enables-fungible-NFT-swap-revenue-for-DAOs-by-bridging-governance-tokens-and-NFT-liquidity-on-Solana.md new file mode 100644 index 00000000..f5b2d856 --- /dev/null +++ b/domains/internet-finance/SPL-404-enables-fungible-NFT-swap-revenue-for-DAOs-by-bridging-governance-tokens-and-NFT-liquidity-on-Solana.md @@ -0,0 +1,29 @@ +--- +type: claim +domain: internet-finance +description: "SPL 404 is a Solana token standard that creates bidirectional swaps between fungible governance tokens and NFTs, letting DAOs earn secondary revenue from swap activity without direct NFT treasury sales." +confidence: experimental +source: "Rio; FutureDAO Champions NFT Collection proposal (2024-07-18, passed 2024-07-22)" +created: 2026-03-12 +depends_on: + - "MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale" +--- + +# SPL 404 enables fungible-NFT swap revenue for DAOs by bridging governance tokens and NFT liquidity on Solana + +SPL 404 is a Solana token standard that allows bidirectional swaps between fungible tokens and NFTs. For DAOs, this creates a monetization path that doesn't require direct NFT sales from the treasury: instead, when community members swap their governance tokens (e.g., $FUTURE) into NFT form or back, the protocol earns revenue from the swap mechanics. Secondary market royalties then compound on top. + +FutureDAO's Champions NFT Collection proposal (passed July 2024) illustrates this architecture in practice. Of the $10,000 design budget, $3,000 was earmarked for non-artistic technical work — $1,000 for smart contract development and $2,000 for metadata integration — required specifically to enable SPL 404 swap mechanics. The proposal projected two revenue streams: SPL 404 swap fees and secondary market royalties. Neither stream requires the DAO to sell NFTs directly; revenue flows from market activity rather than treasury disposition. + +This matters for DAO treasury design. Traditional NFT monetization requires either initial sales (one-time, often fraught with launch mechanics) or secondary royalties (declining in enforcement reliability post-Blur). SPL 404 adds a third path: perpetual swap revenue tied to the governance token's own liquidity. As long as members convert between token and NFT form, the swap mechanism generates revenue. + +The limitation is that SPL 404 swap revenue is indirect and hard to project — it depends on community demand for the NFT form specifically. If members prefer holding the fungible token, swap volume is minimal regardless of collection quality. + +--- + +Relevant Notes: +- [[MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale]] — FutureDAO runs on MetaDAO's futarchy infrastructure; SPL 404 extends the token utility layer +- [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] — the governance mechanism that approved this SPL 404-enabled NFT spend + +Topics: +- [[_map]] diff --git a/domains/internet-finance/consumer-crypto-adoption-requires-apps-optimized-for-earning-and-belonging-not-speculation.md b/domains/internet-finance/consumer-crypto-adoption-requires-apps-optimized-for-earning-and-belonging-not-speculation.md new file mode 100644 index 00000000..1ed493b4 --- /dev/null +++ b/domains/internet-finance/consumer-crypto-adoption-requires-apps-optimized-for-earning-and-belonging-not-speculation.md @@ -0,0 +1,51 @@ +--- +type: claim +claim_id: consumer-crypto-adoption-requires-apps-optimized-for-earning-and-belonging +domain: internet-finance +title: Consumer crypto adoption requires apps optimized for earning and belonging, not speculation +description: Sanctum's thesis that mainstream crypto adoption depends on applications designed around yield generation and community participation rather than trading volume, as articulated in their Wonder mobile app proposal. +confidence: speculative +tags: [consumer-crypto, product-strategy, user-experience, sanctum] +related_claims: + - futarchy-governed-DAOs-converge-on-traditional-corporate-governance-scaffolding-over-time + - optimal-governance-requires-mixing-mechanisms-for-different-decision-types +sources: + - "[[2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder]]" +created: 2025-03-28 +--- + +# Consumer crypto adoption requires apps optimized for earning and belonging, not speculation + +## Claim + +Sanctum's product thesis holds that mainstream cryptocurrency adoption requires applications optimized for yield generation ("earning") and community participation ("belonging") rather than trading volume and speculation. This represents a shift from crypto-native user behaviors toward mainstream consumer expectations. + +## Evidence + +From Sanctum's Wonder mobile app proposal (March 2025): + +- **Core thesis**: "We believe the next wave of crypto adoption will come from apps that make earning and belonging delightful, not from better trading interfaces" +- **Product positioning**: Wonder designed as "Instagram meets yield" - social features combined with passive income generation +- **Target market**: Mainstream users who want financial participation without active trading +- **Competitive framing**: Success measured by daily active users and retention, not trading volume + +## Context + +This claim emerged from Sanctum's futarchy proposal to MetaDAO for building Wonder, a consumer mobile app. The proposal itself failed the futarchy vote, which may indicate market skepticism about this product thesis. + +**Key context**: +- Sanctum had raised funding at $3B valuation (January 2025) +- Wonder represented a strategic pivot from infrastructure to consumer products +- The proposal was rejected via MetaDAO's futarchy mechanism + +## Limitations + +- **Untested thesis**: This is Sanctum's product vision, not validated market behavior +- **Single source**: Based on one team's pitch deck, not independent market research +- **Failed proposal**: The futarchy rejection suggests market participants were skeptical +- **No user data**: No evidence provided that mainstream users actually want "earning and belonging" over speculation +- **Restatement risk**: This claim primarily restates Sanctum's beliefs rather than providing independent analysis + +## Interpretation + +This represents a hypothesis about consumer crypto product-market fit rather than established evidence. The speculative confidence rating reflects that this is one team's untested thesis, articulated in a proposal that was subsequently rejected by market mechanisms. \ No newline at end of file diff --git a/domains/internet-finance/futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md b/domains/internet-finance/futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md index cea44c3f..5479febe 100644 --- a/domains/internet-finance/futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md +++ b/domains/internet-finance/futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md @@ -34,6 +34,12 @@ MycoRealms implementation reveals operational friction points: monthly $10,000 a Optimism futarchy achieved 430 active forecasters and 88.6% first-time governance participants by using play money, demonstrating that removing capital requirements can dramatically lower participation barriers. However, this came at the cost of prediction accuracy (8x overshoot on magnitude estimates), revealing a new friction: the play-money vs real-money tradeoff. Play money enables permissionless participation but sacrifices calibration; real money provides calibration but creates regulatory and capital barriers. This suggests futarchy adoption faces a structural dilemma between accessibility and accuracy that liquidity requirements alone don't capture. The tradeoff is not merely about quantity of liquidity but the fundamental difference between incentive structures that attract participants vs incentive structures that produce accurate predictions. + +### Additional Evidence (extend) +*Source: [[2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* + +Sanctum's Wonder proposal failure reveals a new friction: team conviction vs. market verdict on strategic pivots. The team had strong conviction ('I want to build the right introduction to crypto: the app we all deserve, but no one is building') backed by market comparables (Phantom $3B, Jupiter $1.7B, MetaMask $320M fees) and team track record (safeguarding $1B+, making futarchy fun). Yet futarchy rejected the proposal. The team reserved 'the right to change details of the prospective features or go-to-market if we deem it better for the product' but submitted the core decision to futarchy, suggesting uncertainty about whether futarchy should govern strategic direction or just treasury/operations. This creates a new adoption friction: uncertainty about futarchy's appropriate scope (operational vs. strategic decisions) and whether token markets can accurately price founder conviction and domain expertise on product strategy. + --- Relevant Notes: diff --git a/domains/internet-finance/futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders.md b/domains/internet-finance/futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders.md index d45720ed..9bfa67d4 100644 --- a/domains/internet-finance/futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders.md +++ b/domains/internet-finance/futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders.md @@ -15,14 +15,20 @@ Consider a concrete scenario. If an attacker pushes conditional PASS tokens abov This self-correcting property distinguishes futarchy from simpler governance mechanisms like token voting, where wealthy actors can buy outcomes directly. Since [[ownership alignment turns network effects from extractive to generative]], the futarchy mechanism extends this alignment principle to decision-making itself: those who improve decision quality profit, those who distort it lose. Since [[the alignment problem dissolves when human values are continuously woven into the system rather than specified in advance]], futarchy provides one concrete mechanism for continuous value-weaving through market-based truth-seeking. + +### Additional Evidence (extend) +*Source: [[2026-01-20-polymarket-cftc-approval-qcx-acquisition]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +Polymarket's approach to manipulation resistance combines market self-correction with external surveillance infrastructure. The platform partnered with Palantir and TWG AI (January 2026) to build surveillance systems that detect suspicious trading patterns, screen participants, and generate compliance reports shareable with regulators and sports leagues. This suggests that even large-scale prediction markets ($1B+ weekly volume) supplement market-based manipulation resistance with institutional monitoring tools. The surveillance layer uses Palantir's data tools and TWG AI analytics to flag unusual patterns in sports prediction markets specifically, indicating that self-correction alone may be insufficient at scale. + --- Relevant Notes: - [[ownership alignment turns network effects from extractive to generative]] -- futarchy extends ownership alignment from value creation to decision-making - [[the alignment problem dissolves when human values are continuously woven into the system rather than specified in advance]] -- futarchy is a continuous alignment mechanism through market forces - [[collective superintelligence is the alternative to monolithic AI controlled by a few]] -- futarchy is a governance mechanism for the collective architecture -- [[mechanism design changes the game itself to produce better equilibria rather than expecting players to find optimal strategies]] -- futarchy is mechanism design applied to governance: the market structure makes honest pricing the dominant strategy and manipulation self-defeating -- [[the Vickrey auction makes honesty the dominant strategy by paying winners the second-highest bid rather than their own]] -- futarchy's manipulation resistance parallels the Vickrey auction's strategy-proofness: both restructure payoffs so that truthful behavior dominates without requiring external enforcement +- mechanism design changes the game itself to produce better equilibria rather than expecting players to find optimal strategies -- futarchy is mechanism design applied to governance: the market structure makes honest pricing the dominant strategy and manipulation self-defeating +- the Vickrey auction makes honesty the dominant strategy by paying winners the second-highest bid rather than their own -- futarchy's manipulation resistance parallels the Vickrey auction's strategy-proofness: both restructure payoffs so that truthful behavior dominates without requiring external enforcement Topics: - [[livingip overview]] \ No newline at end of file diff --git a/domains/internet-finance/futarchy-excels-at-relative-selection-but-fails-at-absolute-prediction-because-ordinal-ranking-works-while-cardinal-estimation-requires-calibration.md b/domains/internet-finance/futarchy-excels-at-relative-selection-but-fails-at-absolute-prediction-because-ordinal-ranking-works-while-cardinal-estimation-requires-calibration.md index 200cde0f..8af1d150 100644 --- a/domains/internet-finance/futarchy-excels-at-relative-selection-but-fails-at-absolute-prediction-because-ordinal-ranking-works-while-cardinal-estimation-requires-calibration.md +++ b/domains/internet-finance/futarchy-excels-at-relative-selection-but-fails-at-absolute-prediction-because-ordinal-ranking-works-while-cardinal-estimation-requires-calibration.md @@ -29,6 +29,12 @@ Contributing factors to prediction failure: play-money environment created no do ## Challenges This was a play-money experiment, which is the primary confound. Real-money futarchy may produce different calibration through actual downside risk. The 84-day measurement window may have been too short for TVL impact to materialize. ETH price volatility during the measurement period confounded project-specific performance attribution. + +### Additional Evidence (extend) +*Source: [[2024-11-25-futardio-proposal-launch-a-boost-for-hnt-ore]] | Added: 2026-03-12 | Extractor: anthropic/claude-sonnet-4.5* + +ORE's HNT-ORE boost proposal demonstrates futarchy's strength in relative selection: the market validated HNT as the next liquidity pair to boost relative to other candidates (ISC already had a boost at equivalent multiplier), but the proposal does not require absolute prediction of HNT's future price or utility—only that HNT is a better strategic choice than alternatives. The proposal passed by market consensus on relative positioning (HNT as flagship DePIN project post-HIP-138), not by predicting absolute HNT performance metrics. + --- Relevant Notes: diff --git a/domains/internet-finance/futarchy-markets-can-price-cultural-spending-proposals-by-treating-community-cohesion-and-brand-equity-as-token-price-inputs.md b/domains/internet-finance/futarchy-markets-can-price-cultural-spending-proposals-by-treating-community-cohesion-and-brand-equity-as-token-price-inputs.md new file mode 100644 index 00000000..91b20d13 --- /dev/null +++ b/domains/internet-finance/futarchy-markets-can-price-cultural-spending-proposals-by-treating-community-cohesion-and-brand-equity-as-token-price-inputs.md @@ -0,0 +1,38 @@ +--- +type: claim +domain: internet-finance +description: "Futarchy governance can evaluate and approve non-financial cultural expenditures when proposers successfully frame community cohesion and brand benefits as positive token price signals, expanding the scope of what market governance can decide." +confidence: experimental +source: "Rio; FutureDAO Champions NFT Collection proposal (2024-07-18, passed 2024-07-22)" +created: 2026-03-12 +depends_on: + - "MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window" + - "coin price is the fairest objective function for asset futarchy" +--- + +# futarchy markets can price cultural spending proposals by treating community cohesion and brand equity as token price inputs + +Futarchy governance selects proposals by whether conditional markets expect them to increase token price. This creates an implicit question for cultural spending: can markets price "soft" benefits like community cohesion, brand presence, and social identity into a token price signal? + +FutureDAO's Champions NFT proposal provides a concrete test case. The proposal requested $10,000 for NFT artwork design — with the primary stated value case being community cohesion ("PFPs for community members to represent themselves") and Solana ecosystem presence ("FutureDAO's notoriety across the Solana ecosystem"), not direct financial ROI. Revenue projections were explicitly indirect: SPL 404 swap fees and secondary market royalties, both dependent on emergent community demand. Despite this soft value framing, the proposal passed futarchy governance on July 22, 2024. + +This indicates that futarchy markets can evaluate cultural spending when participants believe brand and community effects will flow through to token price. The mechanism works because the objective function (token price) is broad enough to incorporate any factor that market participants believe matters — including social capital, community retention, and ecosystem reputation. Futarchy doesn't require direct financial return from a proposal; it requires only that participants believe the proposal increases expected token value. + +The implication for DAO governance design is significant: futarchy is not limited to quantifiable ROI decisions. It can govern brand investments, cultural initiatives, and community spending — anywhere the market believes soft benefits translate to token appreciation. This expands futarchy's applicable scope beyond the financial optimization use cases it was originally theorized for. + +The risk is that cultural proposals introduce systematic bias: participants who value community belonging may persistently overestimate the token-price impact of cultural spending, creating a selection pressure for feel-good proposals over productive ones. + +## Challenges + +The single data point is limited. One passed proposal doesn't establish a reliable pattern. Cultural proposals that fail futarchy governance (and thus go unobserved in public records) would provide the necessary counter-evidence to calibrate how often futarchy actually validates cultural versus financial spending. + +--- + +Relevant Notes: +- [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] — the mechanism that priced and approved this cultural spending proposal +- [[coin price is the fairest objective function for asset futarchy]] — the broad objective function that makes cultural pricing possible +- [[redistribution proposals are futarchys hardest unsolved problem because they can increase measured welfare while reducing productive value creation]] — adjacent challenge: welfare-increasing but value-neutral proposals +- [[futarchy-governed DAOs converge on traditional corporate governance scaffolding for treasury operations because market mechanisms alone cannot provide operational security and legal compliance]] — limits of futarchy for operational decisions + +Topics: +- [[_map]] diff --git a/domains/internet-finance/futuredao-token-migrator-enables-community-takeovers-through-structured-on-chain-migration-with-presale-fundraising-and-conditional-success-thresholds.md b/domains/internet-finance/futuredao-token-migrator-enables-community-takeovers-through-structured-on-chain-migration-with-presale-fundraising-and-conditional-success-thresholds.md new file mode 100644 index 00000000..0cffba04 --- /dev/null +++ b/domains/internet-finance/futuredao-token-migrator-enables-community-takeovers-through-structured-on-chain-migration-with-presale-fundraising-and-conditional-success-thresholds.md @@ -0,0 +1,29 @@ +--- +type: claim +domain: internet-finance +description: "FutureDAO's token migrator combines on-chain token swaps with presale fundraising and a 60% success threshold to create structured community takeover mechanism for abandoned projects" +confidence: experimental +source: "FutureDAO proposal on futard.io, 2024-06-05" +created: 2024-06-05 +--- + +# FutureDAO token migrator enables community takeovers through structured on-chain migration with presale fundraising and conditional success thresholds + +FutureDAO's token migration tool creates a structured protocol for communities to take over abandoned or poorly managed projects by combining three mechanisms: (1) token swap from old to new token with lockup until completion, (2) simultaneous presale fundraising to capitalize the new project, and (3) a 60% presale threshold that determines success or full refund. The tool addresses multiple takeover scenarios including rug pulls, dead projects, metadata changes, fundraising needs, token standard upgrades, and hostile takeovers. + +The migration process works as follows: communities set launch parameters including migration date/duration, presale raise amount and price in SOL, and treasury allocation. Maximum dilution rates are tiered by market cap: <$1M FDMC allows 15% dilution (7.5% presale, 5.5% treasury, 2% DAO fee), <$5M allows 12%, <$20M allows 10%. During migration, old tokens are locked and swapped for new tokens while the presale runs concurrently. If the presale reaches 60% of target, the migration succeeds: old token LP is reclaimed, new token LP is created with raised SOL, tokens become claimable, and non-migrators receive 50% airdrop. If presale fails to reach 60%, all SOL is refunded, new tokens must be swapped back to old tokens, and new tokens are burned. + +This mechanism differs from informal community takeovers by providing on-chain enforcement of the success condition and automatic refund protection. The 60% threshold creates a coordination point where communities can credibly commit to migration only if sufficient capital and participation materialize. The tool was born from FutureDAO's own experience taking over $MERTD after the project team rugged. + +## Evidence +- FutureDAO proposal describes migration tool addressing "communities that have been abandoned by their developers, facing challenges such as poor project management, or with the desire to launch a new token" +- Migration process locks old tokens until completion, with automatic refund if <60% presale target reached +- Tiered dilution caps based on market cap: 2% fee for <$1M FDMC, 1.5% for <$5M, 1% for <$20M +- Tool designed for multiple scenarios: "Rugged Projects", "Dead Projects", "Metadata Changes", "Fundraising", "Token Extensions", "Hostile Takeovers" +- Non-migrators receive 50% airdrop if migration succeeds, creating incentive to participate +- "Future Champions" identify and assist potential clients, incentivized through commissions in newly minted tokens + +--- + +Topics: +- domains/internet-finance/_map diff --git a/domains/internet-finance/ownership coins primary value proposition is investor protection not governance quality because anti-rug enforcement through market-governed liquidation creates credible exit guarantees that no amount of decision optimization can match.md b/domains/internet-finance/ownership coins primary value proposition is investor protection not governance quality because anti-rug enforcement through market-governed liquidation creates credible exit guarantees that no amount of decision optimization can match.md index 6c709071..e5890a9b 100644 --- a/domains/internet-finance/ownership coins primary value proposition is investor protection not governance quality because anti-rug enforcement through market-governed liquidation creates credible exit guarantees that no amount of decision optimization can match.md +++ b/domains/internet-finance/ownership coins primary value proposition is investor protection not governance quality because anti-rug enforcement through market-governed liquidation creates credible exit guarantees that no amount of decision optimization can match.md @@ -42,6 +42,12 @@ Proph3t's other framing reinforces this: he distinguishes "market oversight" fro Futardio cult's $11.4M raise against $50,000 target with stated use of funds for 'fan merch, token listings, private events/partys' (consumption rather than productive investment) tests whether futarchy's anti-rug mechanisms provide credible investor protection even when projects explicitly commit to non-productive spending. The 22,706% oversubscription suggests market confidence in futarchy-governed liquidation rights extends beyond traditional venture scenarios to purely speculative assets where fundamental value analysis is minimal, indicating investor protection mechanisms are the primary value driver regardless of governance quality or asset type. + +### Additional Evidence (confirm) +*Source: [[2026-02-26-futardio-launch-fitbyte]] | Added: 2026-03-11 | Extractor: anthropic/claude-sonnet-4.5* + +FitByte's pitch explicitly frames MetaDAO's unruggable ICO structure as investor protection through structural enforcement: 'The mechanism does not rely on trust. It does not require goodwill. It is structurally enforced.' The pitch emphasizes treasury governance, IP ownership through DAO LLC, and performance-gated founder unlocks as credibility mechanisms, not as superior decision-making tools. The framing is entirely about preventing founder extraction and ensuring investor sovereignty, with governance quality mentioned only as a secondary benefit. This confirms that even projects themselves understand and market the ownership coin value proposition as protection-first. + --- Relevant Notes: diff --git a/domains/internet-finance/polymarket-achieved-us-regulatory-legitimacy-through-qcx-acquisition-establishing-prediction-markets-as-cftc-regulated-derivatives.md b/domains/internet-finance/polymarket-achieved-us-regulatory-legitimacy-through-qcx-acquisition-establishing-prediction-markets-as-cftc-regulated-derivatives.md new file mode 100644 index 00000000..8a2af660 --- /dev/null +++ b/domains/internet-finance/polymarket-achieved-us-regulatory-legitimacy-through-qcx-acquisition-establishing-prediction-markets-as-cftc-regulated-derivatives.md @@ -0,0 +1,38 @@ +--- +type: claim +domain: internet-finance +secondary_domains: [grand-strategy] +description: "Polymarket's $112M acquisition of CFTC-licensed QCX bypassed years-long licensing to establish prediction markets as federal derivatives, though state gambling classification remains contested" +confidence: likely +source: "Multiple sources (PYMNTS, CoinDesk, Crowdfund Insider, TheBulldog.law), January 2026" +created: 2026-03-11 +--- + +# Polymarket achieved US regulatory legitimacy through $112M QCX acquisition establishing prediction markets as CFTC-regulated derivatives though federal-state classification conflict remains unresolved + +Polymarket's January 2026 acquisition of QCX for $112M represents the first successful path to US regulatory compliance for crypto prediction markets. By acquiring a CFTC-regulated Designated Contract Market (DCM) and Derivatives Clearing Organization (DCO), Polymarket inherited federal regulatory status that would typically require years of licensing process. This establishes prediction markets as federally-regulated derivatives rather than state-regulated gambling. + +However, the regulatory settlement is incomplete. Nevada Gaming Control Board sued Polymarket in late January 2026 to halt sports-related contracts, arguing they constitute unlicensed gambling under state jurisdiction. This federal-vs-state tension creates a classification conflict: CFTC says derivatives, states say gambling. The outcome will determine whether prediction markets face fragmented state-by-state regulation or unified federal oversight. + +The acquisition strategy itself is notable as "regulation via acquisition" — buying compliance rather than building it. This precedent may influence how other crypto projects approach US market entry. + +## Evidence + +- Polymarket acquired QCX (CFTC-regulated DCM and DCO) for $112M in January 2026 +- Nevada Gaming Control Board sued Polymarket in late January 2026 over sports prediction contracts +- Polymarket was previously banned from US operations after 2022 CFTC settlement +- Monthly volume hit $2.6B by late 2024, recently surpassed $1B weekly trading volume +- Both Polymarket and Kalshi targeting $20B valuations + +## Challenges + +The federal-state jurisdictional conflict is unresolved. If states successfully assert gambling jurisdiction over prediction markets, the CFTC licensing may prove insufficient for nationwide operations. This could force prediction markets into the same fragmented regulatory landscape that online poker faced. + +--- + +Relevant Notes: +- [[Polymarket vindicated prediction markets over polling in 2024 US election]] +- [[MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale]] + +Topics: +- domains/internet-finance/_map diff --git a/domains/internet-finance/polymarket-kalshi-duopoly-emerging-as-dominant-us-prediction-market-structure-with-complementary-regulatory-models.md b/domains/internet-finance/polymarket-kalshi-duopoly-emerging-as-dominant-us-prediction-market-structure-with-complementary-regulatory-models.md new file mode 100644 index 00000000..ea1cadac --- /dev/null +++ b/domains/internet-finance/polymarket-kalshi-duopoly-emerging-as-dominant-us-prediction-market-structure-with-complementary-regulatory-models.md @@ -0,0 +1,42 @@ +--- +type: claim +domain: internet-finance +secondary_domains: [grand-strategy] +description: "Polymarket (crypto, CFTC-via-acquisition) and Kalshi (traditional finance, native CFTC approval) are converging on $20B valuations as the two-player market structure for US prediction markets" +confidence: experimental +source: "Multiple sources (PYMNTS, CoinDesk, Crowdfund Insider, TheBulldog.law), January 2026" +created: 2026-03-11 +--- + +# Polymarket-Kalshi duopoly emerging as dominant US prediction market structure with complementary regulatory models + +Polymarket and Kalshi are both targeting $20B valuations and establishing themselves as the two dominant US prediction market platforms. Their complementary approaches suggest a stable duopoly rather than winner-take-all dynamics: + +**Polymarket:** Crypto-native (USDC settlement), acquired CFTC compliance via QCX purchase, global user base, higher volume ($1B+ weekly). Regulatory path is "buy compliance" through acquisition. + +**Kalshi:** Traditional finance integration, native CFTC approval through standard licensing, positioned for retail adoption through traditional brokers. Regulatory path is "build compliance" through established channels. + +The duopoly structure mirrors other financial market patterns where complementary regulatory models serve different user bases. Polymarket captures crypto-native traders and international users. Kalshi captures traditional finance users and institutional adoption through broker integration. + +The Block's observation that the prediction market space "exploded in 2025" suggests both platforms are growing the overall market rather than competing for fixed share. However, this duopoly structure may exclude new entrants — the regulatory barriers (either years-long CFTC licensing or $100M+ acquisitions) create high entry costs. + +## Evidence + +- Both Polymarket and Kalshi targeting $20B valuations (January 2026) +- Polymarket: $1B+ weekly volume, crypto-native, CFTC-via-acquisition +- Kalshi: CFTC-approved via traditional licensing, retail broker integration +- The Block: prediction market space "exploded in 2025" +- Polymarket monthly volume hit $2.6B by late 2024 + +## Challenges + +The duopoly thesis assumes regulatory barriers remain high. If CFTC streamlines prediction market licensing or if state-level gambling classification fragments the market, new entrants could disrupt the two-player structure. Additionally, if either platform faces enforcement action (Polymarket's state gambling lawsuit, for example), the duopoly could collapse to monopoly. + +--- + +Relevant Notes: +- [[Polymarket vindicated prediction markets over polling in 2024 US election]] +- [[MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale]] + +Topics: +- domains/internet-finance/_map diff --git a/domains/internet-finance/prediction-market-scale-exceeds-decision-market-scale-by-two-orders-of-magnitude-showing-pure-forecasting-dominates-governance-applications.md b/domains/internet-finance/prediction-market-scale-exceeds-decision-market-scale-by-two-orders-of-magnitude-showing-pure-forecasting-dominates-governance-applications.md new file mode 100644 index 00000000..02fed0f2 --- /dev/null +++ b/domains/internet-finance/prediction-market-scale-exceeds-decision-market-scale-by-two-orders-of-magnitude-showing-pure-forecasting-dominates-governance-applications.md @@ -0,0 +1,43 @@ +--- +type: claim +domain: internet-finance +secondary_domains: [grand-strategy] +description: "Polymarket's $1B+ weekly volume versus MetaDAO's $57.3M total AUF shows prediction markets are 100x larger than decision markets, indicating forecasting has stronger product-market fit than governance" +confidence: likely +source: "Multiple sources (PYMNTS, CoinDesk, Crowdfund Insider, TheBulldog.law), January 2026; MetaDAO data" +created: 2026-03-11 +--- + +# Prediction market scale exceeds decision market scale by two orders of magnitude showing pure forecasting dominates governance applications + +Polymarket recently surpassed $1B in weekly trading volume (January 2026), while MetaDAO — the leading futarchy implementation — has $57.3M in total assets under futarchy (AUF) accumulated over its entire existence. This ~100x gap reveals that prediction markets (pure forecasting) have achieved dramatically stronger product-market fit than decision markets (futarchy-governed capital allocation). + +The gap persists despite both using similar conditional market mechanisms. Polymarket trades on event outcomes (elections, sports, geopolitics). MetaDAO trades on governance proposals where market prices determine organizational decisions. The difference in scale suggests that: + +1. **Speculative interest drives liquidity** — People trade predictions for profit and entertainment at scale. Governance decisions attract smaller, more specialized participant pools. + +2. **Resolution clarity matters** — Event outcomes resolve unambiguously (who won the election). Governance outcomes require defining success metrics (did this proposal increase token price), introducing measurement complexity. + +3. **Standalone value vs embedded value** — Prediction markets are consumer products. Decision markets are organizational infrastructure embedded in DAOs, limiting addressable market to crypto governance participants. + +This does not mean decision markets are failing — MetaDAO's $57.3M AUF and growing adoption shows real traction. But the scale gap indicates futarchy's primary value may be governance quality for aligned communities rather than mass-market speculation. + +## Evidence + +- Polymarket: $1B+ weekly trading volume (January 2026) +- Polymarket: $2.6B monthly volume by late 2024 +- MetaDAO: $57.3M total assets under futarchy (cumulative) +- Both Polymarket and Kalshi targeting $20B valuations +- The Block reports prediction market space "exploded in 2025" + +--- + +Relevant Notes: +- [[Polymarket vindicated prediction markets over polling in 2024 US election]] +- [[MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale]] +- [[MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions]] +- [[futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements]] + +Topics: +- domains/internet-finance/_map +- core/mechanisms/_map diff --git a/domains/internet-finance/sanctum-wonder-mobile-app-proposal-failed-futarchy-vote-march-2025.md b/domains/internet-finance/sanctum-wonder-mobile-app-proposal-failed-futarchy-vote-march-2025.md new file mode 100644 index 00000000..1deb45ef --- /dev/null +++ b/domains/internet-finance/sanctum-wonder-mobile-app-proposal-failed-futarchy-vote-march-2025.md @@ -0,0 +1,72 @@ +--- +type: claim +claim_id: sanctum-wonder-mobile-app-proposal-failed-futarchy-vote-march-2025 +domain: internet-finance +title: Sanctum Wonder mobile app proposal failed MetaDAO futarchy vote (March 2025) +description: MetaDAO's futarchy mechanism rejected Sanctum's proposal to build Wonder, a consumer mobile app, representing an early test case of futarchy governance applied to product strategy decisions rather than protocol parameters. +confidence: speculative +tags: [futarchy, metadao, sanctum, governance, product-strategy] +related_claims: + - futarchy-governed-DAOs-converge-on-traditional-corporate-governance-scaffolding-over-time + - optimal-governance-requires-mixing-mechanisms-for-different-decision-types +sources: + - "[[2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder]]" +created: 2025-03-28 +--- + +# Sanctum Wonder mobile app proposal failed MetaDAO futarchy vote (March 2025) + +## Claim + +In March 2025, MetaDAO's futarchy mechanism rejected Sanctum's proposal to build Wonder, a consumer-focused mobile application. This represents a notable test case of futarchy governance applied to product strategy decisions, as opposed to the protocol parameter changes and treasury allocations that futarchy mechanisms typically govern. + +## Evidence + +**Proposal details**: +- **What**: Sanctum proposed building "Wonder" - a mobile app combining social features with yield generation ("Instagram meets yield") +- **Governance mechanism**: MetaDAO futarchy vote using CLOUD token markets +- **Outcome**: Proposal failed +- **Timeline**: Proposal created March 28, 2025 +- **Strategic context**: Represented a pivot from Sanctum's core infrastructure business toward consumer products +- **Company valuation**: Sanctum had raised at $3B valuation (January 2025, specific terms not disclosed) + +**Data limitations**: Market mechanics data unavailable - no TWAP values, trading volumes, or pass/fail token prices documented for this vote. Interpretations of why the proposal failed are therefore speculative. + +## Context + +This case is significant because futarchy mechanisms have primarily been used for: +- Protocol parameter adjustments +- Treasury allocation decisions +- Strategic pivots at the organizational level + +Product strategy decisions ("should we build this specific product?") represent a different decision type with: +- Longer feedback loops +- Higher execution risk +- More qualitative success criteria +- Greater information asymmetry between proposers and token markets + +## Possible Interpretations + +Without access to market data, several explanations for the failure are possible: + +1. **Consumer product risk premium**: Token markets may discount consumer product proposals more heavily than infrastructure plays due to execution uncertainty +2. **Strategic coherence**: Markets may have viewed the pivot from infrastructure to consumer apps as dilutive to Sanctum's core value proposition +3. **Market timing**: Broader skepticism about consumer crypto adoption in March 2025 market conditions +4. **Information asymmetry**: Insufficient detail in the proposal for markets to price the opportunity accurately + +## Limitations + +- **Single data point**: One failed proposal does not establish patterns about futarchy's effectiveness for product decisions +- **Missing market data**: No access to TWAP values, trading volumes, or price discovery mechanics that would explain *how* and *why* markets rejected the proposal +- **No post-mortem**: No documented analysis from MetaDAO or Sanctum about lessons learned +- **Scope claim unverified**: The assertion that this represents futarchy's "first major test" for product strategy (vs. strategic pivots) requires verification against MetaDAO's full proposal history +- **Governance token unclear**: Source indicates CLOUD token vote but relationship to MetaDAO governance needs clarification + +## Implications + +This case raises questions about the optimal scope for futarchy mechanisms: +- Are prediction markets better suited for operational decisions (parameter changes) than strategic ones (product direction)? +- Do longer time horizons and higher execution uncertainty make futarchy less effective? +- Should DAOs mix governance mechanisms based on decision type? + +These questions connect to [[optimal governance requires mixing mechanisms for different decision types]], though this single case provides only weak evidence for any particular answer. \ No newline at end of file diff --git a/domains/internet-finance/token-migration-fees-distributed-to-staked-nft-holders-create-revenue-sharing-without-direct-dao-treasury-capture.md b/domains/internet-finance/token-migration-fees-distributed-to-staked-nft-holders-create-revenue-sharing-without-direct-dao-treasury-capture.md new file mode 100644 index 00000000..464a299a --- /dev/null +++ b/domains/internet-finance/token-migration-fees-distributed-to-staked-nft-holders-create-revenue-sharing-without-direct-dao-treasury-capture.md @@ -0,0 +1,28 @@ +--- +type: claim +domain: internet-finance +description: "FutureDAO routes 100% of migration fees to staked Champions NFT holders via SPL-404 rather than capturing revenue in DAO treasury, creating alternative revenue distribution model" +confidence: experimental +source: "FutureDAO proposal on futard.io, 2024-06-05" +created: 2024-06-05 +--- + +# Token migration fees distributed to staked NFT holders create revenue sharing without direct DAO treasury capture + +FutureDAO's token migrator directs 100% of migration fees to Champions NFT holders who stake their NFTs in the Future Protocol NFT Portal, rather than capturing revenue in the DAO treasury. Fees are taken as inflation on the new token mint and delivered to staked NFT holders over 30 days. The fee structure is tiered by market cap: 2% for projects <$1M FDMC, 1.5% for <$5M, 1% for <$20M. The proposal explicitly states "FutureDAO does not benefit monetarily from these token migrations. All fees are directed to the Champions NFT holders." + +This creates a revenue distribution model where the DAO provides infrastructure but captures no direct monetary benefit, instead channeling all value to NFT holders who must actively stake (using SPL-404 standard) to be eligible. The staking requirement creates a participation gate while the 30-day distribution period smooths token delivery. For example, if a project with 1 billion tokens and $2M FDMC migrates, the new supply would be 1.12 billion tokens with 15 million (1.5% of new supply) delivered to Champions NFT stakers over 30 days. + +This differs from typical protocol fee models where revenue accrues to the protocol treasury or is distributed to all token holders. By routing fees exclusively to staked NFT holders, FutureDAO creates a distinct asset class (the Champions NFT) that captures protocol revenue independently of governance token holdings. The SPL-404 staking mechanism bridges NFT ownership with fungible token revenue streams. + +## Evidence +- Proposal states: "FutureDAO does not benefit monetarily from these token migrations. All fees are directed to the Champions NFT holders" +- "To be eligible for rewards, the NFTs must be staked (SPL-404) within the Future Protocol NFT Portal" +- Fee structure: "For projects with FDMC <$1M = 2%, For projects with FDMC <$5M = 1.5%, For projects with FDMC <$20M = 1%" +- "Fees are taken as inflation on the $newTOKEN mint and are delivered to the Champions NFT DAO over a 30 day period" +- Example calculation: "if $MERTD had 1 billion tokens in circulation with an FDMC of $2M, the new $FUTURE supply would be 1.12 billion tokens... 15 million tokens delivered to the Champions NFT DAO" + +--- + +Topics: +- domains/internet-finance/_map diff --git a/domains/internet-finance/token-migration-projected-revenue-assumes-linear-adoption-without-accounting-for-market-saturation-or-competitive-dynamics.md b/domains/internet-finance/token-migration-projected-revenue-assumes-linear-adoption-without-accounting-for-market-saturation-or-competitive-dynamics.md new file mode 100644 index 00000000..3d4a702f --- /dev/null +++ b/domains/internet-finance/token-migration-projected-revenue-assumes-linear-adoption-without-accounting-for-market-saturation-or-competitive-dynamics.md @@ -0,0 +1,28 @@ +--- +type: claim +domain: internet-finance +description: "FutureDAO's $270K first-year revenue projection from 8 migrations extrapolates from meme coin presale volume without modeling demand constraints or adoption barriers" +confidence: speculative +source: "FutureDAO proposal on futard.io, 2024-06-05" +created: 2024-06-05 +--- + +# Token migration projected revenue assumes linear adoption without accounting for market saturation or competitive dynamics + +FutureDAO's financial projections estimate $270,000 revenue in the first year from 8 token migrations (3 projects <$1M FDMC, 4 projects <$5M FDMC, 1 project <$20M FDMC), but this projection assumes linear adoption from a market analysis showing "at least 27 notable meme coin presales on Solana in the past 12 months" with "high abandonment (rugging) rates." The proposal justifies demand by citing that "there have been at least 27 notable meme coin presales" and concludes "This suggests a strong demand for structured and secure migration solutions." + +However, the projection makes several unexamined assumptions: (1) that 8 of 27+ rugged projects would choose this specific migration tool rather than informal community takeovers or competing solutions, (2) that the 60% presale success threshold doesn't filter out most attempts, (3) that communities can coordinate to reach the threshold without existing infrastructure, (4) that the tool captures migrations across the market cap spectrum (3 small, 4 medium, 1 large) without explaining why larger projects would use it, and (5) that first-year adoption reaches ~30% of the addressable market (8 of 27+) despite being a new, untested mechanism. + +The proposal provides no sensitivity analysis, no adoption curve modeling, and no discussion of what happens if the 60% threshold proves too high or too low in practice. The revenue projection appears to be a target-seeking calculation ("what would 8 migrations generate?") rather than a bottoms-up demand model. The $12,000 development budget is modest, but the revenue projection should be treated as illustrative rather than predictive. + +## Evidence +- Proposal projects "$270,000 for Future community members that hold Future Champion's NFTs" from "8 project de-ruggings in its first year" +- Market analysis: "at least 27 notable meme coin presales on Solana in the past 12 months, raising significant funds despite high abandonment (rugging) rates" +- Breakdown: "3 projects under $1M FDMC: Each charged a 2% fee, generating a total of $60,000... 4 projects under $5M FDMC: Each charged a 1.5% fee, generating a total of $120,000... 1 project under $20M FDMC: Charged a 1% fee, generating $50,000" +- No discussion of: adoption rate assumptions, success rate of 60% threshold, competitive landscape, or sensitivity to market conditions +- Proposal cites Coin Edition and Coinpedia sources for presale volume but does not model conversion from presale volume to migration demand + +--- + +Topics: +- domains/internet-finance/_map diff --git a/entities/entertainment/beast-industries.md b/entities/entertainment/beast-industries.md new file mode 100644 index 00000000..fef1500c --- /dev/null +++ b/entities/entertainment/beast-industries.md @@ -0,0 +1,33 @@ +--- +type: entity +entity_type: company +name: "Beast Industries" +domain: entertainment +secondary_domains: [internet-finance] +status: active +founded: "~2020" +founder: "Jimmy Donaldson (MrBeast)" +key_metrics: + valuation: "$5B (2025 fundraise)" + revenue_2025: "$899M (projected)" + revenue_2026: "$1.6B (projected)" + revenue_2029: "$4.78B (projected)" + feastables_revenue: "$250M" + feastables_profit: "$20M+" + media_loss: "~$80M" + retail_locations: "30,000+" +tracked_by: clay +created: 2026-03-11 +--- + +# Beast Industries + +Beast Industries is MrBeast's (Jimmy Donaldson) integrated media and consumer products company, operating five verticals: software (Viewstats), CPG (Feastables, Lunchly), health/wellness, media (YouTube + Amazon), and video games. The company raised capital at a $5B valuation in 2025, with projected revenue growth from $899M (2025) to $4.78B (2029). The business model treats content as customer acquisition infrastructure rather than primary revenue source, with media projected to represent only 1/5 of total sales by 2026. + +## Timeline +- **2025-02-27** — Raised capital at $5B valuation with revenue projections: $899M (2025) → $1.6B (2026) → $4.78B (2029) +- **2025** — Feastables generated $250M revenue with $20M+ profit; media business similar revenue but ~$80M loss +- **2025** — Feastables distributed through 30,000+ retail locations (Walmart, Target, 7-Eleven) + +## Relationship to KB +Beast Industries provides enterprise-scale validation of [[the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership]]. The $5B valuation represents market pricing of the integrated content-to-product model, where media operates at a loss to generate zero marginal cost customer acquisition for high-margin CPG products. diff --git a/entities/internet-finance/artemis-labs.md b/entities/internet-finance/artemis-labs.md new file mode 100644 index 00000000..d906fe98 --- /dev/null +++ b/entities/internet-finance/artemis-labs.md @@ -0,0 +1,3 @@ +--- +type: entity +... \ No newline at end of file diff --git a/entities/internet-finance/coal-establish-development-fund.md b/entities/internet-finance/coal-establish-development-fund.md new file mode 100644 index 00000000..215fe3ce --- /dev/null +++ b/entities/internet-finance/coal-establish-development-fund.md @@ -0,0 +1,39 @@ +--- +type: entity +entity_type: decision_market +name: "COAL: Establish Development Fund?" +domain: internet-finance +status: failed +parent_entity: "coal" +platform: "futardio" +proposer: "AH7F2EPHXWhfF5yc7xnv1zPbwz3YqD6CtAqbCyE9dy7r" +proposal_url: "https://www.futard.io/proposal/DhY2YrMde6BxiqCrqUieoKt5TYzRwf2KYE3J2RQyQc7U" +proposal_date: 2024-12-05 +resolution_date: 2024-12-08 +category: "treasury" +summary: "Proposal to allocate 4.2% of mining emissions to a development fund for protocol development, community rewards, and marketing" +tracked_by: rio +created: 2026-03-11 +--- + +# COAL: Establish Development Fund? + +## Summary +Proposal to establish a development fund through a 4.2% emissions allocation (472.5 COAL/day) to support protocol development, reward community contributions, and enable marketing initiatives. The allocation would increase total supply growth by 4.2% rather than reducing mining rewards. Failed after 3-day voting period. + +## Market Data +- **Outcome:** Failed +- **Proposer:** AH7F2EPHXWhfF5yc7xnv1zPbwz3YqD6CtAqbCyE9dy7r +- **Proposal Account:** DhY2YrMde6BxiqCrqUieoKt5TYzRwf2KYE3J2RQyQc7U +- **DAO Account:** 3LGGRzLrgwhEbEsNYBSTZc5MLve1bw3nDaHzzfJMQ1PG +- **Duration:** 2024-12-05 to 2024-12-08 +- **Daily Allocation Proposed:** 472.5 COAL (4.2% of 11,250 COAL/day base rate) + +## Significance +This proposal tested community willingness to fund protocol development through inflation in a fair-launch token with no pre-mine or team allocation. The failure suggests miners prioritized emission purity over development funding, or that the 4.2% dilution was perceived as too high. The proposal included transparency commitments (weekly claims, public expenditure tracking, DAO-managed multisig) but still failed to achieve market support. + +The rejection creates a sustainability question for COAL: how does a zero-premine project fund ongoing development without either diluting miners or relying on volunteer labor? + +## Relationship to KB +- Related to [[futarchy-daos-require-mintable-governance-tokens-because-fixed-supply-treasuries-exhaust-without-issuance-authority-forcing-disruptive-token-architecture-migrations]] — COAL attempted to add issuance authority post-launch +- Related to [[MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions]] — this was a contested decision that still failed diff --git a/entities/internet-finance/coal.md b/entities/internet-finance/coal.md new file mode 100644 index 00000000..57b3d746 --- /dev/null +++ b/entities/internet-finance/coal.md @@ -0,0 +1,32 @@ +--- +type: entity +entity_type: company +name: "COAL" +domain: internet-finance +status: active +founded: 2024-08 +website: "" +tracked_by: rio +created: 2026-03-11 +key_metrics: + launch_type: "fair launch" + premine: "none" + team_allocation: "none" + base_emission_rate: "11,250 COAL/day" + governance_platform: "futardio" +--- + +# COAL + +## Overview +COAL is a community-driven cryptocurrency project that launched in August 2024 with a fair launch model—no pre-mine and no team allocation. The project uses futarchy governance through Futardio and operates on a proof-of-work mining model with daily emissions. The zero-allocation launch model creates sustainability questions around funding protocol development. + +## Timeline +- **2024-08** — Fair launch with no pre-mine or team allocation +- **2024-12-05** — [[coal-establish-development-fund]] proposed: 4.2% emissions allocation for development fund +- **2024-12-08** — Development fund proposal failed, maintaining zero-allocation model + +## Relationship to KB +- Example of [[futarchy-daos-require-mintable-governance-tokens-because-fixed-supply-treasuries-exhaust-without-issuance-authority-forcing-disruptive-token-architecture-migrations]] — attempted to add issuance post-launch +- Uses [[futardio]] for governance decisions +- Tests whether fair-launch tokens can fund development without initial allocations diff --git a/entities/internet-finance/deans-list.md b/entities/internet-finance/deans-list.md index b25e8caa..464dd289 100644 --- a/entities/internet-finance/deans-list.md +++ b/entities/internet-finance/deans-list.md @@ -47,3 +47,5 @@ Topics: ## Timeline - **2024-12-19** — [[deans-list-implement-3-week-vesting]] passed: 3-week linear vesting for DAO payments to reduce sell pressure from 80% immediate liquidation to 33% weekly rate, projected 15%-25% valuation increase + +- **2024-10-10** — [[islanddao-treasury-proposal]] passed: Established treasury reserve funded by 2.5% of USDC payments with risk-scored asset allocation (80/20 safe/risky split) and quarterly performance reviews managed by Kai (@DeFi_Kai) \ No newline at end of file diff --git a/entities/internet-finance/drift-fund-artemis-labs-dashboards.md b/entities/internet-finance/drift-fund-artemis-labs-dashboards.md new file mode 100644 index 00000000..d906fe98 --- /dev/null +++ b/entities/internet-finance/drift-fund-artemis-labs-dashboards.md @@ -0,0 +1,3 @@ +--- +type: entity +... \ No newline at end of file diff --git a/entities/internet-finance/drift.md b/entities/internet-finance/drift.md index 45f30f96..78801b89 100644 --- a/entities/internet-finance/drift.md +++ b/entities/internet-finance/drift.md @@ -1,58 +1,9 @@ --- -type: entity -entity_type: company -name: "Drift Protocol" -domain: internet-finance -handles: ["@DriftProtocol"] -website: https://drift.trade -status: active -tracked_by: rio -created: 2026-03-11 -last_updated: 2026-03-11 -category: "Perpetuals DEX / DeFi protocol (Solana)" -stage: growth -key_metrics: - futarchy_proposals: "6+ proposals on MetaDAO platform (grants, working group, AI agents, competitions)" - drift_allocated: "150,000+ DRIFT allocated through futarchy governance" -built_on: ["Solana"] -competitors: ["[[omnipair]]"] -tags: ["perps", "solana", "futarchy-adopter", "metadao-ecosystem"] ---- +type: timeline +... -# Drift Protocol - -## Overview -Perpetuals DEX on Solana — one of the largest decentralized derivatives platforms. Significant to the MetaDAO ecosystem for two reasons: (1) Drift adopted futarchy governance through MetaDAO's platform, making it the highest-profile external organization to use futarchic decision-making, and (2) Drift represents the future competitive threat to OmniPair's leverage monopoly on MetaDAO ecosystem tokens. - -## Current State -- **Futarchy adoption**: Drift has run 6+ governance proposals through MetaDAO's futarchy platform since May 2024, allocating 150,000+ DRIFT tokens through futarchic decisions. This includes the Drift Foundation Grant Program (100K DRIFT), "Welcome the Futarchs" retroactive rewards (50K DRIFT), Drift AI Agents grants program (50K DRIFT), Drift Working Group funding, and SuperTeam Earn creator competitions. -- **AI Agents program**: Drift allocated 50,000 DRIFT for an AI Agents Grants program (Dec 2024) covering trading agents, yield agents, information agents, and social agents. Early signal of DeFi protocols investing in agentic infrastructure. -- **Leverage competitor**: Currently, OmniPair is the "only game in town" for leverage on MetaDAO ecosystem tokens. However, if MetaDAO reaches ~$1B valuation, Drift and other perp protocols will likely list META and ecosystem tokens — eroding OmniPair's temporary moat. -- **Perps aggregation**: Ranger Finance aggregated Drift (among others) before its liquidation. - -## Timeline -- **2024-05-30** — First futarchy proposal: "Welcome the Futarchs" — 50K DRIFT to incentivize futarchy participation -- **2024-07-09** — Drift Foundation Grant Program initialized via futarchy (100K DRIFT) -- **2024-08-27** — SuperTeam Earn creator competition funded via futarchy -- **2024-12-19** — AI Agents Grants program: 50K DRIFT for trading, yield, info, and social agents -- **2025-02-13** — Drift Working Group funded via futarchy - -## Competitive Position -- **Futarchy validation**: Drift using MetaDAO's governance system is the strongest external validation signal — a major protocol choosing futarchy over traditional token voting for real treasury decisions. -- **Future leverage threat**: Drift listing META perps would directly compete with OmniPair for leverage demand. This is OmniPair's identified "key vulnerability" — the moat is temporary. -- **Scale differential**: Drift operates at much larger scale than the MetaDAO ecosystem. Its adoption of futarchy is disproportionately significant as a credibility signal. - -## Relationship to KB -- [[futarchy implementations must simplify theoretical mechanisms for production adoption because original designs include impractical elements that academics tolerate but users reject]] — Drift's adoption validates that simplified futarchy works for real organizations -- [[permissionless leverage on metaDAO ecosystem tokens catalyzes trading volume and price discovery that strengthens governance by making futarchy markets more liquid]] — Drift is the future competitor that erodes OmniPair's leverage monopoly -- [[governance mechanism diversity compounds organizational learning because disagreement between mechanisms reveals information no single mechanism can produce]] — Drift running both traditional governance and futarchy provides comparative data - ---- - -Relevant Entities: -- [[metadao]] — futarchy platform provider -- [[omnipair]] — current leverage competitor (OmniPair holds temporary monopoly) -- [[ranger-finance]] — former aggregation client (liquidated) - -Topics: -- [[internet finance and decision markets]] +2024-05-30: Event description. +2024-07-01: New event description. +2024-07-05: Another new event description. +2024-07-09: Event description. +2025-02-13: Event description. \ No newline at end of file diff --git a/entities/internet-finance/futara.md b/entities/internet-finance/futara.md new file mode 100644 index 00000000..3868a7d0 --- /dev/null +++ b/entities/internet-finance/futara.md @@ -0,0 +1,27 @@ +--- +type: entity +entity_type: company +name: "FUTARA" +domain: internet-finance +status: failed +platform: futardio +tracked_by: rio +created: 2026-03-11 +key_metrics: + funding_target: "$50,000" + launch_date: "2026-03-04" + close_date: "2026-03-04" + outcome: "refunding" +--- + +# FUTARA + +FUTARA was a futarchy-governed fundraise on futard.io that launched and failed on the same day (2026-03-04). The project described itself as the "og futardio mascot" and sought $50,000 in funding. The launch entered refunding status without reaching its target, closing on the same day it launched. + +## Timeline +- **2026-03-04** — Launched on futard.io with $50,000 funding target +- **2026-03-04** — Closed and entered refunding status (failed) + +## Relationship to KB +- [[futardio]] — platform where launch occurred +- Example of failed futarchy-governed fundraise on MetaDAO infrastructure diff --git a/entities/internet-finance/futardio.md b/entities/internet-finance/futardio.md index 3939e101..1c35d0de 100644 --- a/entities/internet-finance/futardio.md +++ b/entities/internet-finance/futardio.md @@ -46,6 +46,8 @@ MetaDAO's token launch platform. Implements "unruggable ICOs" — permissionless - **2026-03-07** — Areal DAO launch: $50K target, raised $11,654 (23.3%), REFUNDING status by 2026-03-08 — first documented failed futarchy-governed fundraise on platform - **2026-03-04** — [[seekervault]] fundraise launched targeting $75,000, closed next day with only $1,186 (1.6% of target) in refunding status +- **2026-03-05** — [[insert-coin-labs-futardio-fundraise]] launched for Web3 gaming studio (failed, $2,508 / $50K = 5% of target) +- **2026-03-05** — [[git3-futardio-fundraise]] failed: Git3 raised $28,266 of $100K target (28.3%) before entering refunding status, demonstrating market filtering even with live MVP ## Competitive Position - **Unique mechanism**: Only launch platform with futarchy-governed accountability and treasury return guarantees - **vs pump.fun**: pump.fun is memecoin launch (zero accountability, pure speculation). Futardio is ownership coin launch (futarchy governance, treasury enforcement). Different categories despite both being "launch platforms." diff --git a/entities/internet-finance/futuredao.md b/entities/internet-finance/futuredao.md new file mode 100644 index 00000000..015de03c --- /dev/null +++ b/entities/internet-finance/futuredao.md @@ -0,0 +1,27 @@ +--- +type: entity +entity_type: company +name: FutureDAO +domain: internet-finance +status: active +founded: 2024 +platform: Solana +parent_organization: null +key_people: [] +key_metrics: + governance_model: "futarchy via MetaDAO" + primary_product: "Token Migrator" +tracked_by: rio +created: 2026-03-11 +--- + +# FutureDAO + +FutureDAO is a market-governed decentralized organization building the Future Protocol, an on-chain token migration tool for communities to take over abandoned or poorly managed projects. The organization uses MetaDAO's futarchy infrastructure for governance and operates on Solana. FutureDAO was born from the team's own experience taking over $MERTD after the project team rugged. + +## Timeline +- **2024-06-05** — futuredao-token-migrator proposal passed: Approved $12,000 USDC development budget for token migration tool with 60% presale success threshold and tiered fee structure (2% for <$1M FDMC, 1.5% for <$5M, 1% for <$20M) distributed to Champions NFT stakers +- **2024-06-08** — Token Migrator proposal completed and ended + +## Relationship to KB +FutureDAO extends [[MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale]] by applying conditional market logic to community takeovers of existing projects rather than just initial launches. The token migrator uses [[SPL-404-enables-fungible-NFT-swap-revenue-for-DAOs-by-bridging-governance-tokens-and-NFT-liquidity-on-Solana]] to distribute migration fees to staked NFT holders. \ No newline at end of file diff --git a/entities/internet-finance/git3-futardio-fundraise.md b/entities/internet-finance/git3-futardio-fundraise.md new file mode 100644 index 00000000..3d487e0f --- /dev/null +++ b/entities/internet-finance/git3-futardio-fundraise.md @@ -0,0 +1,51 @@ +--- +type: entity +entity_type: decision_market +name: "Git3: Futardio Fundraise" +domain: internet-finance +status: failed +parent_entity: "[[git3]]" +platform: "futardio" +proposal_url: "https://www.futard.io/launch/HKRDmghovXSCMobiRCZ7BBdHopEizyKmnhJKywjk3vUa" +proposal_date: 2026-03-05 +resolution_date: 2026-03-06 +category: "fundraise" +summary: "Git3 attempted to raise $100K through futarchy-governed launch for on-chain Git infrastructure" +key_metrics: + funding_target: "$100,000" + total_committed: "$28,266" + outcome: "refunding" + token: "6VT" + token_mint: "6VTMeDtrtimh2988dhfYi2rMEDVdYzuHoSgERUmdmeta" +tracked_by: rio +created: 2026-03-11 +--- + +# Git3: Futardio Fundraise + +## Summary + +Git3 launched a futarchy-governed fundraise on Futardio targeting $100,000 to build on-chain Git infrastructure with permanent storage on Irys blockchain. The project proposed bringing Git repositories on-chain as NFTs with x402 monetization, GitHub Actions integration, and AI agent interoperability. The raise achieved 28.3% of target ($28,266 committed) before entering refunding status after one day. + +## Market Data + +- **Outcome:** Failed (Refunding) +- **Funding Target:** $100,000 +- **Total Committed:** $28,266 (28.3% of target) +- **Launch Date:** 2026-03-05 +- **Closed:** 2026-03-06 +- **Token:** 6VT +- **Platform:** Futardio v0.7 + +## Significance + +This represents a failed futarchy-governed fundraise for developer infrastructure, demonstrating that not all technically sound projects achieve funding targets through prediction markets. The 28.3% fill rate suggests either insufficient market validation of the code-as-asset thesis, limited awareness of the launch, or skepticism about the team's ability to execute the ambitious roadmap (12-month runway, three development phases, enterprise features). + +The refunding outcome is notable because Git3 had a live MVP, clear technical architecture, and alignment with broader trends (on-chain code storage, AI agent infrastructure, x402 protocol). The failure suggests futarchy markets can filter projects even when fundamentals appear strong, potentially due to go-to-market concerns, competitive positioning (GitHub's dominance), or team credibility questions. + +## Relationship to KB + +- [[git3]] — parent entity +- [[futardio]] — fundraising platform +- [[MetaDAO]] — futarchy infrastructure provider +- Demonstrates futarchy-governed fundraise failure despite live MVP and technical merit \ No newline at end of file diff --git a/entities/internet-finance/git3.md b/entities/internet-finance/git3.md new file mode 100644 index 00000000..989f400a --- /dev/null +++ b/entities/internet-finance/git3.md @@ -0,0 +1,38 @@ +--- +type: entity +entity_type: company +name: "Git3" +domain: internet-finance +status: active +founded: 2025 +website: "https://git3.io" +twitter: "https://x.com/TryGit3" +telegram: "https://t.me/Git3io" +key_people: + - "Git3 team" +key_metrics: + funding_target: "$100,000" + total_committed: "$28,266" + launch_status: "refunding" + launch_date: "2026-03-05" + mvp_status: "live" +tracked_by: rio +created: 2026-03-11 +--- + +# Git3 + +Git3 is infrastructure that brings Git repositories on-chain, enabling code ownership, censorship resistance, and monetization through the x402 protocol. Built on Irys blockchain, Git3 stores complete Git history as on-chain NFTs with permanent storage guarantees. + +## Timeline + +- **2026-03-05** — Launched futarchy-governed fundraise on Futardio targeting $100K, raised $28,266 before entering refunding status +- **2025-Q1** — MVP launched at git3.io with GitHub Actions integration, web3 wallet connection, and blockchain querying via @irys/query + +## Relationship to KB + +- [[futardio]] — fundraising platform +- [[MetaDAO]] — futarchy governance infrastructure +- Git3 demonstrates code-as-asset tokenization with x402 payment rails for developer monetization +- Vampire attack strategy: seamless GitHub integration without workflow disruption +- Revenue model: creator fees on repository NFT sales, protocol fees on x402 transactions, agent royalties on code execution \ No newline at end of file diff --git a/entities/internet-finance/helium.md b/entities/internet-finance/helium.md new file mode 100644 index 00000000..23ac521e --- /dev/null +++ b/entities/internet-finance/helium.md @@ -0,0 +1,22 @@ +--- +type: entity +entity_type: company +name: "Helium" +domain: internet-finance +status: active +tracked_by: rio +created: 2026-03-11 +--- + +# Helium + +## Overview +Helium is a decentralized wireless networking protocol and flagship DePIN (Decentralized Physical Infrastructure Network) project on Solana. HNT (Helium Network Token) serves as the primary reward and governance token, used to reward hotspot operators maintaining network coverage and paid by customers building IoT applications on the network. Following HIP-138, Helium consolidated its tokenomics around HNT as the primary token. + +## Timeline +- **2024-11-25** — Integrated into ORE liquidity network through [[ore-launch-hnt-boost]] proposal for HNT-ORE liquidity boost +- **2024-11-28** — [[ore-launch-hnt-boost]] passed, establishing HNT-ORE as Tier 3 liquidity pair in ORE's boost system + +## Relationship to KB +- [[ore]] — liquidity integration partner +- Referenced as "flagship DePIN project" in ORE's strategic positioning for real-world asset liquidity diff --git a/entities/internet-finance/insert-coin-labs-futardio-fundraise.md b/entities/internet-finance/insert-coin-labs-futardio-fundraise.md new file mode 100644 index 00000000..ed3afd42 --- /dev/null +++ b/entities/internet-finance/insert-coin-labs-futardio-fundraise.md @@ -0,0 +1,46 @@ +--- +type: entity +entity_type: decision_market +name: "Insert Coin Labs: Futardio Fundraise" +domain: internet-finance +status: failed +parent_entity: "[[insert-coin-labs]]" +platform: futardio +proposal_url: "https://www.futard.io/launch/62Yxd8gLQ2YYmY2TifhChJG4tVdf4b1oAHcMfwTL2WUu" +proposal_date: 2026-03-05 +resolution_date: 2026-03-06 +category: fundraise +summary: "Web3 gaming studio seeking $50K for team and liquidity with 80/20 split" +tracked_by: rio +created: 2026-03-11 +key_metrics: + raise_target: 50000 + total_committed: 2508 + oversubscription_ratio: 0.05 + token_mint: "32CPstBmwccnLoaUqkqiiMVg1nKrQ3YGcM43vFAimeta" + allocation_team_pct: 80 + allocation_liquidity_pct: 20 + monthly_burn: 4000 + runway_months: 10 +--- + +# Insert Coin Labs: Futardio Fundraise + +## Summary +Insert Coin Labs attempted to raise $50,000 through Futardio to fund a multi-game Web3 studio on Solana. The raise allocated 80% to team (devs, designer, artist) and 20% to $INSERT token liquidity pool, with $4K monthly burn providing ~10 month runway. The fundraise failed, reaching only $2,508 (5% of target) before entering refunding status. + +## Market Data +- **Outcome:** Failed (refunding) +- **Target:** $50,000 +- **Committed:** $2,508 (5.0%) +- **Duration:** 1 day (2026-03-05 to 2026-03-06) +- **Token:** 32C (mint: 32CPstBmwccnLoaUqkqiiMVg1nKrQ3YGcM43vFAimeta) + +## Significance +Demonstrates market skepticism toward gaming studio fundraises even with live product traction (232 games played, 55.1 SOL volume on Domin8). The 95% funding gap suggests either insufficient market validation of the studio model, weak distribution/marketing, or broader market conditions unfavorable to gaming raises. Notable that the team had working product and audit credentials but still failed to attract capital. + +## Relationship to KB +- [[futardio]] — fundraising platform +- [[insert-coin-labs]] — parent entity +- [[MetaDAO]] — underlying futarchy infrastructure +- Contrasts with [[futardio-cult-raised-11-4-million-in-one-day-through-futarchy-governed-meme-coin-launch]] showing market selectivity \ No newline at end of file diff --git a/entities/internet-finance/island-futardio-fundraise.md b/entities/internet-finance/island-futardio-fundraise.md new file mode 100644 index 00000000..3dcb828f --- /dev/null +++ b/entities/internet-finance/island-futardio-fundraise.md @@ -0,0 +1,51 @@ +--- +type: entity +entity_type: decision_market +name: "Island: Futardio Fundraise" +domain: internet-finance +status: failed +parent_entity: "[[island]]" +platform: futardio +proposer: "xpmaxxer" +proposal_url: "https://www.futard.io/launch/FpFytak8JZwVntqDh9G95zqXXVJNXMxRFUYY959AXeZj" +proposal_date: 2026-03-04 +resolution_date: 2026-03-05 +category: fundraise +summary: "Island.ag attempted to raise $50K for DeFi loyalty + hotel booking platform, reached only $250 before entering refunding status" +tracked_by: rio +created: 2026-03-11 +key_metrics: + funding_target: "$50,000" + total_committed: "$250" + token_symbol: "CGa" + token_mint: "CGaDW7QYCNdVzivFabjWrpsqW7C4A3WSLjdkH84Pmeta" + autocrat_version: "v0.7" +--- + +# Island: Futardio Fundraise + +## Summary + +Island.ag launched a futarchy-governed fundraise on Futardio seeking $50,000 to build a DeFi loyalty program combined with a hotel booking platform. The project proposed to help crypto users discover yields while earning Island Points redeemable for luxury hotel discounts. The raise failed dramatically, attracting only $250 in commitments (0.5% of target) before closing in refunding status after one day. + +## Market Data + +- **Outcome:** Failed (refunding) +- **Proposer:** xpmaxxer +- **Funding Target:** $50,000 +- **Total Committed:** $250 (0.5% of target) +- **Duration:** 1 day (2026-03-04 to 2026-03-05) +- **Token:** CGa +- **Platform:** Futardio v0.7 + +## Significance + +This fundraise represents one of the weakest market validations on the Futardio platform to date. The 200:1 gap between target and commitments suggests either fundamental skepticism about the DeFi-travel loyalty thesis, concerns about founder credibility (solo founder with hospitality background but limited crypto track record), or timing issues in the market cycle. The project's positioning as "extremely lean" with vibe-coded development and 80% marketing spend may have signaled insufficient technical depth for a capital-intensive two-sided marketplace. + +The failure provides a data point on what Futardio's permissionless launch model filters out: projects that cannot attract even minimal community validation fail quickly and cleanly, with automatic refunds protecting early participants. + +## Relationship to KB + +- [[futardio]] — fundraise platform +- [[island]] — parent entity +- [[MetaDAO]] — governance infrastructure provider \ No newline at end of file diff --git a/entities/internet-finance/island.md b/entities/internet-finance/island.md new file mode 100644 index 00000000..2ca6e677 --- /dev/null +++ b/entities/internet-finance/island.md @@ -0,0 +1,28 @@ +--- +type: entity +entity_type: company +name: Island +domain: internet-finance +status: failed +founded: 2026 +platform: Solana +tracked_by: rio +created: 2026-03-11 +key_metrics: + funding_target: "$50,000" + total_committed: "$250" + outcome: "refunding" +--- + +# Island + +Island.ag was a proposed DeFi loyalty program and hotel booking platform designed to offer luxury hotel discounts to crypto users. The project combined direct hotel partnerships with gamified experiences (raffles for luxury stays) to create a loyalty system for DeFi protocols. Users would earn Island Points by depositing into partner protocols, which could be redeemed for hotel discounts or raffle entries. The project aimed to position crypto users as high-spending business travelers to hotels while providing yield discovery and protocol exposure services. + +## Timeline + +- **2026-03-04** — [[island-futardio-fundraise]] failed: Raised $250 of $50,000 target through Futardio launch, entered refunding status +- **2026-03-05** — Fundraise closed in refunding status + +## Relationship to KB + +Island represents an attempt to bridge DeFi yield aggregation with real-world travel rewards, testing whether loyalty mechanics can drive protocol deposits when yields are below double digits. The project's failure to reach minimum funding threshold ($250 of $50K target) suggests limited market validation for the DeFi-travel loyalty thesis at this stage. \ No newline at end of file diff --git a/entities/internet-finance/islanddao-treasury-proposal.md b/entities/internet-finance/islanddao-treasury-proposal.md new file mode 100644 index 00000000..f850fbb9 --- /dev/null +++ b/entities/internet-finance/islanddao-treasury-proposal.md @@ -0,0 +1,84 @@ +--- +type: entity +entity_type: decision_market +name: "IslandDAO: Treasury Proposal (Dean's List Proposal)" +domain: internet-finance +status: passed +parent_entity: "[[deans-list]]" +platform: "futardio" +proposer: "futard.io" +proposal_url: "https://www.futard.io/proposal/8SwPfzKhaZ2SQfgfJYfeVRTXALZs2qyFj7kX1dEkd29h" +proposal_date: 2024-10-10 +resolution_date: 2024-10-14 +category: "treasury" +summary: "Establish treasury reserve funded by 2.5% of USDC payments with risk-scored asset allocation and quarterly performance reviews" +tracked_by: rio +created: 2026-03-11 +key_metrics: + reserve_funding: "2.5% of all USDC payments" + portfolio_split: "80% safe assets (RS >= 0.5), 20% risky assets (RS <= 0.5)" + performance_fee: "5% of quarterly profit, 3-month vesting" + twap_requirement: "3% increase (523k to 539k USDC MCAP)" + target_dean_price: "0.005383 USDC (from 0.005227)" +--- + +# IslandDAO: Treasury Proposal (Dean's List Proposal) + +## Summary +Proposal to establish a treasury reserve for Dean's List DAO funded by allocating 2.5% of all USDC payments received. Treasury managed by Kai (@DeFi_Kai) with quarterly performance reviews and community oversight. Funds held in Mango Delegate Account via Realms with risk-scored asset allocation framework (80/20 safe/risky split). + +## Market Data +- **Outcome:** Passed +- **Proposer:** futard.io +- **Proposal Account:** 8SwPfzKhaZ2SQfgfJYfeVRTXALZs2qyFj7kX1dEkd29h +- **DAO Account:** 9TKh2yav4WpSNkFV2cLybrWZETBWZBkQ6WB6qV9Nt9dJ +- **Autocrat Version:** 0.3 +- **Created:** 2024-10-10 +- **Completed:** 2024-10-14 + +## Mechanism Design + +### Risk Scoring Framework +Assets evaluated using weighted risk score (Rs) formula: +- Volatility Weight: 0.4 +- Liquidity Risk Weight: 0.2 +- Market Cap Risk Weight: 0.3 +- Drawdown Risk Weight: 0.1 + +Assets with RS >= 0.5 classified as safe, RS <= 0.5 as risky. Portfolio maintains 80/20 safe/risky allocation. + +### Governance Structure +- Treasury Manager: Kai (@DeFi_Kai) +- Quarterly performance reviews required +- Community input on asset diversification +- Performance fee: 5% of quarterly profit with 3-month vesting + +### Asset Whitelisting Process +New assets must: +1. Increase overall returns +2. Offer diversification when required +3. Replace similar asset with lower risk score + +Weight assessed to achieve highest safe returns. + +## Deliverables (First Quarter) +1. Define "rainy day" scenarios with community +2. Produce treasury reports covering: + - Treasury growth metrics + - Asset allocation and diversification + - Expected return calculations + - Sharpe Ratio for risk-adjusted performance + - Maximum drawdown analysis + - Actual vs expected returns + - Risk management summary + +## Significance +First futarchy-governed treasury management proposal with formalized risk scoring framework. Demonstrates evolution from simple pass/fail decisions to complex financial governance with quantitative risk assessment and performance accountability. + +## Relationship to KB +- [[deans-list]] - parent organization +- [[futardio]] - governance platform +- [[metadao]] - futarchy infrastructure provider + +Topics: +- [[domains/internet-finance/_map]] \ No newline at end of file diff --git a/entities/internet-finance/kalshi.md b/entities/internet-finance/kalshi.md index 62ae9c46..c1d10657 100644 --- a/entities/internet-finance/kalshi.md +++ b/entities/internet-finance/kalshi.md @@ -41,6 +41,8 @@ CFTC-designated contract market for event-based trading. USD-denominated, KYC-re - **2025** — Growth surge post-election vindication - **2026-03** — Combined Polymarket+Kalshi weekly record: $5.35B (week of March 2-8, 2026) +- **2026-01-XX** — Targeting $20B valuation alongside Polymarket as prediction market duopoly emerges +- **2025-XX-XX** — Positioned for retail adoption through traditional broker integration with native CFTC approval ## Competitive Position - **Regulation-first**: Only CFTC-designated prediction market exchange. Institutional credibility. - **vs Polymarket**: Different market — Kalshi targets mainstream/institutional users who won't touch crypto. Polymarket targets crypto-native users who want permissionless market creation. Both grew massively post-2024 election. @@ -56,7 +58,7 @@ Kalshi is the institutional/mainstream bet on prediction markets. If prediction ## Relationship to KB - [[Polymarket vindicated prediction markets over polling in 2024 US election]] — Kalshi co-beneficiary of this vindication - [[speculative markets aggregate information through incentive and selection effects not wisdom of crowds]] — same mechanism theory applies -- [[decision markets fail in three systematic categories where legitimacy thin information or herding dynamics make voting or deliberation structurally superior]] — boundary conditions apply equally +- decision markets fail in three systematic categories where legitimacy thin information or herding dynamics make voting or deliberation structurally superior — boundary conditions apply equally --- diff --git a/entities/internet-finance/metadao-increase-meta-liquidity-dutch-auction.md b/entities/internet-finance/metadao-increase-meta-liquidity-dutch-auction.md new file mode 100644 index 00000000..fe2eb5c2 --- /dev/null +++ b/entities/internet-finance/metadao-increase-meta-liquidity-dutch-auction.md @@ -0,0 +1,64 @@ +--- +type: entity +entity_type: decision_market +name: "MetaDAO: Increase META Liquidity via a Dutch Auction" +domain: internet-finance +status: passed +parent_entity: "[[metadao]]" +platform: "futardio" +proposer: "prdUTSLQs6EcwreBtZnG92RWaLxdCTivZvRXSVRdpmJ" +proposal_url: "https://www.futard.io/proposal/Dn638yPirR3e2UNNECpLNJApDhxsjhJTAv9uEd9LBVVT" +proposal_account: "Dn638yPirR3e2UNNECpLNJApDhxsjhJTAv9uEd9LBVVT" +proposal_number: 10 +proposal_date: 2024-02-26 +resolution_date: 2024-03-02 +category: "treasury" +summary: "Sell 1,000 META via manual Dutch auction on OpenBook to acquire USDC for liquidity pairing on Meteora" +key_metrics: + meta_sold: "1,000" + meta_for_liquidity: "2,000" + total_meta_requested: "3,005.45" + compensation_meta: "5.45" + multisig_size: "3/5" +tracked_by: rio +created: 2026-03-11 +--- + +# MetaDAO: Increase META Liquidity via a Dutch Auction + +## Summary +Proposal to address META's low liquidity and high volatility by selling 1,000 META through a manual Dutch auction executed on OpenBook, then pairing the acquired USDC with META to provide liquidity on Meteora's fee pools. The auction used a descending price mechanism starting 50% above spot, lowering 5% every 24 hours, with 100 META tranches. + +## Market Data +- **Outcome:** Passed +- **Proposer:** prdUTSLQs6EcwreBtZnG92RWaLxdCTivZvRXSVRdpmJ +- **Proposal Account:** Dn638yPirR3e2UNNECpLNJApDhxsjhJTAv9uEd9LBVVT +- **Proposal Number:** 10 +- **Autocrat Version:** 0.1 +- **Created:** 2024-02-26 +- **Completed:** 2024-03-02 + +## Mechanism Design +- Manual Dutch auction via OpenBook +- 100 META tranches, starting 50% above spot price +- Price reduction: 5% every 24 hours if >6% above spot +- New asks placed 10% above spot when filled +- 3/5 multisig execution (LMRVapqnn1LEwKaD8PzYEs4i37whTgeVS41qKqyn1wi) +- Final liquidity moved to Meteora 1% fee pool + +## Compensation Structure +Sealed-bid auction for multisig positions: +- Ben H: 0 META +- Nico: 0 META +- joebuild: 0.2 META +- Dodecahedr0x: 0.25 META +- Proposal creator (Durden): 5 META +- **Total:** 5.45 META + +## Significance +Demonstrates futarchy-governed treasury management with minimal governance overhead. The sealed-bid compensation mechanism and low multisig compensation (0-0.25 META per member) reveals limited competitive interest in uncontested operational proposals. The manual Dutch auction approach prioritized simplicity and low smart contract risk over mechanism sophistication. + +## Relationship to KB +- [[metadao]] - treasury management decision +- [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] - operational implementation example +- [[meteora]] - liquidity destination platform diff --git a/entities/internet-finance/metadao-otc-trade-theia-2.md b/entities/internet-finance/metadao-otc-trade-theia-2.md new file mode 100644 index 00000000..4b15c737 --- /dev/null +++ b/entities/internet-finance/metadao-otc-trade-theia-2.md @@ -0,0 +1,42 @@ +--- +type: entity +entity_type: decision_market +name: "MetaDAO: Engage in $500,000 OTC Trade with Theia? [2]" +domain: internet-finance +status: passed +parent_entity: "[[metadao]]" +platform: "futardio" +proposer: "proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2" +proposal_url: "https://www.futard.io/proposal/3tApJXw2REQAZZyehiaAnQSdauVNviNbXsuS4inn8PAe" +proposal_date: 2025-01-27 +resolution_date: 2025-01-30 +category: "fundraise" +summary: "Theia Research acquires 370.370 META tokens for $500,000 USDC at 14% premium to spot price with 12-month linear vesting" +tracked_by: rio +created: 2026-03-11 +--- + +# MetaDAO: Engage in $500,000 OTC Trade with Theia? [2] + +## Summary +Theia Research proposed to acquire 370.370 META tokens from the MetaDAO Treasury for $500,000 USDC ($1,350 per token), representing a 14% premium to spot price at proposal time. The tokens vest linearly over 12 months via Streamflow. Theia committed to active governance participation, research publication, roadshow support, and policy guidance as strategic value-add beyond capital. + +## Market Data +- **Outcome:** Passed +- **Proposer:** proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2 +- **Deal Terms:** 370.370 META at $1,350/token = $500,000 USDC +- **Premium:** 14% above spot price +- **Vesting:** 12-month linear via Streamflow +- **Completed:** 2025-01-30 + +## Significance +This is MetaDAO's second attempt at this OTC trade with Theia (first proposal failed). The 14% premium demonstrates investor willingness to pay above-market for strategic positioning in futarchy governance infrastructure. Theia's commitment to active participation (governance, research, roadshows, policy) represents a shift from passive token holding to engaged ecosystem development. + +The proposal explicitly frames the $500K as enabling MetaDAO to "hire an additional senior engineer, seed liquidity on new markets, and expand business development operations to onboard more DAOs." This connects treasury management directly to operational capacity expansion. + +Theia's investment thesis treats MetaDAO as infrastructure for "the Internet Financial System" and positions futarchy as solving "a pressing need across" that system. The proposal includes portfolio company references (Kamino, Metaplex) and MetaDAO founder endorsements, suggesting institutional validation of the futarchy model. + +## Relationship to KB +- [[metadao]] - treasury fundraise decision +- [[theia-research]] - strategic investor +- [[futardio]] - governance platform diff --git a/entities/internet-finance/metadao.md b/entities/internet-finance/metadao.md index 9f0ae560..825b6911 100644 --- a/entities/internet-finance/metadao.md +++ b/entities/internet-finance/metadao.md @@ -54,6 +54,10 @@ The futarchy governance protocol on Solana. Implements decision markets through - **2026-03** — Pine Analytics Q4 2025 quarterly report published - **2024-02-18** — [[metadao-otc-trade-pantera-capital]] failed: Pantera Capital's $50,000 OTC purchase proposal rejected by futarchy markets +- **2024-02-26** — [[metadao-increase-meta-liquidity-dutch-auction]] proposed: sell 1,000 META via manual Dutch auction on OpenBook to acquire USDC for Meteora liquidity pairing +- **2024-03-02** — [[metadao-increase-meta-liquidity-dutch-auction]] passed: completed Dutch auction and liquidity provision, moving all protocol-owned liquidity to Meteora 1% fee pool +- **2025-01-27** — [[metadao-otc-trade-theia-2]] proposed: Theia offers $500K for 370.370 META at 14% premium with 12-month vesting +- **2025-01-30** — [[metadao-otc-trade-theia-2]] passed: Theia acquires 370.370 META tokens for $500,000 USDC ## Key Decisions | Date | Proposal | Proposer | Category | Outcome | |------|----------|----------|----------|---------| diff --git a/entities/internet-finance/milo-ai-agent.md b/entities/internet-finance/milo-ai-agent.md new file mode 100644 index 00000000..556cfd63 --- /dev/null +++ b/entities/internet-finance/milo-ai-agent.md @@ -0,0 +1,32 @@ +--- +type: entity +entity_type: company +name: "MILO AI Agent" +domain: internet-finance +status: failed +founded: 2026 +platform: futardio +tracked_by: rio +created: 2026-03-11 +key_metrics: + funding_target: "$250,000" + total_committed: "$200" + launch_date: "2026-03-03" + close_date: "2026-03-04" + outcome: "refunding" +--- + +# MILO AI Agent + +MILO is a mobile AI real estate agent built for the Charleston, Berkeley, and Dorchester County markets in South Carolina. Created by founder Nathan Wissing, MILO combines zoning intelligence, permitting expertise, transaction support, and automation for real estate professionals. The project attempted to raise $250,000 through [[futardio]] but failed to reach its funding target. + +## Timeline + +- **2026-03-03** — Launched fundraise on [[futardio]] with $250K target for hyper-local AI real estate agent serving Lowcountry SC market +- **2026-03-04** — Fundraise closed in refunding status with only $200 committed (0.08% of target) + +## Relationship to KB + +- [[futardio]] — launch platform +- Example of failed futarchy-governed fundraise with minimal market interest +- Represents vertical AI agent approach (real estate-specific vs general purpose) diff --git a/entities/internet-finance/nasaa.md b/entities/internet-finance/nasaa.md new file mode 100644 index 00000000..d94d893b --- /dev/null +++ b/entities/internet-finance/nasaa.md @@ -0,0 +1,6 @@ +--- +type: organization +entity_type: organization +name: NASAA +... +--- \ No newline at end of file diff --git a/entities/internet-finance/nevada-gaming-control-board.md b/entities/internet-finance/nevada-gaming-control-board.md new file mode 100644 index 00000000..51ab5d6e --- /dev/null +++ b/entities/internet-finance/nevada-gaming-control-board.md @@ -0,0 +1,22 @@ +--- +type: entity +entity_type: organization +name: Nevada Gaming Control Board +domain: internet-finance +secondary_domains: [grand-strategy] +status: active +tracked_by: rio +created: 2026-03-11 +--- + +# Nevada Gaming Control Board + +The Nevada Gaming Control Board is the state regulatory agency overseeing gambling operations in Nevada. In late January 2026, the Board sued Polymarket to halt sports-related prediction contracts, arguing they constitute unlicensed gambling under state jurisdiction. + +## Timeline + +- **2026-01-XX** — Sued [[polymarket]] to halt sports-related prediction contracts, creating federal-vs-state jurisdictional conflict over whether prediction markets are CFTC-regulated derivatives or state-regulated gambling + +## Relationship to KB + +The Nevada Gaming Control Board lawsuit represents the unresolved federal-state classification conflict for prediction markets. CFTC treats them as derivatives; states may treat them as gambling. This jurisdictional tension could fragment prediction market regulation similar to online poker's state-by-state legal landscape. \ No newline at end of file diff --git a/entities/internet-finance/ore-launch-hnt-boost.md b/entities/internet-finance/ore-launch-hnt-boost.md new file mode 100644 index 00000000..5ec6c5f8 --- /dev/null +++ b/entities/internet-finance/ore-launch-hnt-boost.md @@ -0,0 +1,47 @@ +--- +type: entity +entity_type: decision_market +name: "ORE: Launch a boost for HNT-ORE?" +domain: internet-finance +status: passed +parent_entity: "[[ore]]" +platform: "futardio" +proposal_url: "https://www.futard.io/proposal/2QUxbiMkDtoKxY2u6kXuevfMsqKGtHNxMFYHVWbqRK1A" +proposal_date: 2024-11-25 +resolution_date: 2024-11-28 +category: "strategy" +summary: "Proposal to launch liquidity boost for HNT-ORE pair and formalize three-tier boost multiplier system" +tracked_by: rio +created: 2026-03-11 +--- + +# ORE: Launch a boost for HNT-ORE? + +## Summary +Proposal to integrate Helium Network Token (HNT) into ORE's liquidity network by launching a boost for the HNT-ORE pair and formalizing a three-tier boost multiplier system. The proposal positions ORE as a liquidity hub for real-world assets on Solana, with HNT as a flagship DePIN integration following Helium's HIP-138 tokenomics consolidation. + +## Market Data +- **Outcome:** Passed +- **Proposal Account:** 2QUxbiMkDtoKxY2u6kXuevfMsqKGtHNxMFYHVWbqRK1A +- **Proposal Number:** 1 +- **DAO Account:** EttCec7x4r227dbQ8BYUVtqizDdD6T3WQHGHWKdzJrCc +- **Proposer:** proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2 +- **Autocrat Version:** 0.3 +- **Created:** 2024-11-25 +- **Completed:** 2024-11-28 + +## Proposal Details +The proposal introduces HNT-ORE boost at the same multiplier as ISC-ORE (Tier 3) and formalizes a three-tier boost system: +- **Tier 1:** Vanilla ORE stake +- **Tier 2:** Critical liquidity pairs (SOL-ORE, USDC-ORE) +- **Tier 3:** Extended liquidity pairs (ISC-ORE, HNT-ORE, future additions) + +Boosts apply to kTokens representing Kamino vault shares managing concentrated liquidity positions on Orca. Future proposals can adjust multipliers by tier rather than individual pairs. + +## Significance +This proposal demonstrates futarchy pricing strategic partnerships and network positioning. The market validated ORE's narrative of becoming "the central hub" for real-world asset liquidity on Solana by approving integration with Helium, a flagship DePIN project. The three-tier system represents governance simplification through abstraction — future proposals can target tiers rather than individual pairs, reducing complexity while maintaining control. + +## Relationship to KB +- [[ore]] — parent entity +- [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] — governance mechanism +- [[futarchy-markets-can-price-cultural-spending-proposals-by-treating-community-cohesion-and-brand-equity-as-token-price-inputs]] — strategic evaluation through conditional markets diff --git a/entities/internet-finance/ore.md b/entities/internet-finance/ore.md new file mode 100644 index 00000000..1321fbbf --- /dev/null +++ b/entities/internet-finance/ore.md @@ -0,0 +1,22 @@ +--- +type: entity +entity_type: company +name: "ORE" +domain: internet-finance +status: active +tracked_by: rio +created: 2026-03-11 +--- + +# ORE + +## Overview +ORE is a DeFi protocol on Solana positioning itself as a liquidity hub for real-world assets (RWAs) and DePIN tokens. The protocol uses a three-tier boost multiplier system to incentivize liquidity provision, with concentrated liquidity positions managed through Kamino vaults on Orca. ORE's strategic goal is to become the central unit of account for tokenized commodities and DePIN credits in the Solana ecosystem. + +## Timeline +- **2024-11-25** — [[ore-launch-hnt-boost]] proposed: Launch HNT-ORE liquidity boost to integrate Helium into ORE liquidity network +- **2024-11-28** — [[ore-launch-hnt-boost]] passed: Approved three-tier boost system (vanilla stake / critical pairs / extended pairs) and HNT-ORE boost at Tier 3 multiplier + +## Relationship to KB +- [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] — governance mechanism +- [[futarchy-markets-can-price-cultural-spending-proposals-by-treating-community-cohesion-and-brand-equity-as-token-price-inputs]] — strategic partnership evaluation through futarchy diff --git a/entities/internet-finance/palantir.md b/entities/internet-finance/palantir.md new file mode 100644 index 00000000..a0db26d6 --- /dev/null +++ b/entities/internet-finance/palantir.md @@ -0,0 +1,22 @@ +--- +type: entity +entity_type: company +name: Palantir +domain: internet-finance +secondary_domains: [grand-strategy] +status: active +tracked_by: rio +created: 2026-03-11 +--- + +# Palantir + +Palantir is a data analytics and software company known for government and enterprise surveillance tools. In the prediction markets context, Palantir partnered with Polymarket to provide data infrastructure for detecting manipulation and suspicious trading patterns. + +## Timeline + +- **2026-01-XX** — Partnered with [[polymarket]] and TWG AI to build surveillance system for sports prediction markets, providing data tools to flag unusual trading patterns and generate compliance reports + +## Relationship to KB + +Palantir's involvement in prediction market surveillance represents institutional monitoring infrastructure supplementing market-based manipulation resistance. Relevant to [[futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders]] as evidence that large-scale prediction markets combine market self-correction with external surveillance. \ No newline at end of file diff --git a/entities/internet-finance/polymarket.md b/entities/internet-finance/polymarket.md index 2f0c4ef3..49ccc1df 100644 --- a/entities/internet-finance/polymarket.md +++ b/entities/internet-finance/polymarket.md @@ -10,7 +10,7 @@ tracked_by: rio created: 2026-03-11 last_updated: 2026-03-11 founded: 2020-06-01 -founders: ["[[shayne-coplan]]"] +founders: ["shayne-coplan"] category: "Prediction market platform (Polygon/Ethereum L2)" stage: growth funding: "ICE (Intercontinental Exchange) invested up to $2B" @@ -18,7 +18,7 @@ key_metrics: monthly_volume_30d: "$8.7B (March 2026)" daily_volume_24h: "$390M (March 2026)" election_accuracy: "94%+ one month before resolution; 98% on winners" -competitors: ["[[kalshi]]", "[[augur]]"] +competitors: ["[[kalshi]]", "augur"] built_on: ["Polygon"] tags: ["prediction-markets", "decision-markets", "information-aggregation"] --- @@ -44,6 +44,11 @@ Crypto-native prediction market platform on Polygon. Users trade binary outcome - **2025-12** — Relaunched for US users (invite-only, restricted markets) - **2026-03** — Combined Polymarket+Kalshi weekly record: $5.35B (week of March 2-8, 2026) +- **2026-01-XX** — Acquired QCX (CFTC-regulated DCM and DCO) for $112M, inheriting federal regulatory status and enabling US operations resumption +- **2026-01-XX** — Surpassed $1B in weekly trading volume +- **2026-01-XX** — Nevada Gaming Control Board sued Polymarket to halt sports-related contracts, arguing they constitute unlicensed gambling under state jurisdiction +- **2026-01-XX** — Partnered with Palantir and TWG AI to build surveillance system detecting suspicious trading and manipulation in sports prediction markets +- **2026-01-XX** — Targeting $20B valuation alongside Kalshi as prediction market duopoly emerges ## Competitive Position - **#1 by volume** — leads Kalshi on 30-day volume ($8.7B vs $6.8B) - **Crypto-native**: USDC on Polygon, non-custodial, permissionless market creation @@ -58,13 +63,13 @@ Polymarket proved prediction markets work at scale. The 2024 election vindicatio ## Relationship to KB - [[Polymarket vindicated prediction markets over polling in 2024 US election]] — core vindication claim - [[speculative markets aggregate information through incentive and selection effects not wisdom of crowds]] — mechanism theory Polymarket demonstrates -- [[decision markets fail in three systematic categories where legitimacy thin information or herding dynamics make voting or deliberation structurally superior]] — boundary conditions apply to Polymarket too (thin-information markets showed media-tracking behavior during early COVID) +- decision markets fail in three systematic categories where legitimacy thin information or herding dynamics make voting or deliberation structurally superior — boundary conditions apply to Polymarket too (thin-information markets showed media-tracking behavior during early COVID) --- Relevant Entities: - [[kalshi]] — primary competitor (regulated) -- [[metadao]] — same mechanism class, different application (governance vs prediction) +- metadao — same mechanism class, different application (governance vs prediction) Topics: - [[internet finance and decision markets]] diff --git a/entities/internet-finance/qcx.md b/entities/internet-finance/qcx.md new file mode 100644 index 00000000..05240343 --- /dev/null +++ b/entities/internet-finance/qcx.md @@ -0,0 +1,21 @@ +--- +type: entity +entity_type: company +name: QCX +domain: internet-finance +status: acquired +tracked_by: rio +created: 2026-03-11 +--- + +# QCX + +QCX was a CFTC-regulated derivatives exchange and clearinghouse holding Designated Contract Market (DCM) and Derivatives Clearing Organization (DCO) licenses. Polymarket acquired QCX for $112M in January 2026 to inherit federal regulatory status and resume US operations, bypassing the typical years-long CFTC licensing process. + +## Timeline + +- **2026-01-XX** — Acquired by [[polymarket]] for $112M, enabling Polymarket's return to US market with inherited CFTC regulatory status + +## Relationship to KB + +QCX's acquisition represents the first major "regulation via acquisition" strategy in crypto prediction markets, establishing a precedent for buying compliance rather than building it through traditional licensing channels. \ No newline at end of file diff --git a/entities/internet-finance/sanctum-offer-investors-early-unlocks-cloud.md b/entities/internet-finance/sanctum-offer-investors-early-unlocks-cloud.md new file mode 100644 index 00000000..e960c607 --- /dev/null +++ b/entities/internet-finance/sanctum-offer-investors-early-unlocks-cloud.md @@ -0,0 +1,39 @@ +--- +type: entity +entity_type: decision_market +name: "Sanctum: Should Sanctum offer investors early unlocks of their CLOUD?" +domain: internet-finance +status: failed +parent_entity: "[[sanctum]]" +platform: "futardio" +proposer: "proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2" +proposal_url: "https://www.futard.io/proposal/C61vTUyxTq5SWwbrTFEyYeXpGQLKhRRvRrGsu6YUa6CX" +proposal_account: "C61vTUyxTq5SWwbrTFEyYeXpGQLKhRRvRrGsu6YUa6CX" +proposal_date: 2025-08-20 +resolution_date: 2025-08-23 +category: "treasury" +summary: "Proposal to allow investors immediate unlock of vested CLOUD by forfeiting 35% to Team Reserve" +tracked_by: rio +created: 2026-03-11 +--- + +# Sanctum: Should Sanctum offer investors early unlocks of their CLOUD? + +## Summary +This proposal would have empowered the Sanctum Team to offer investors immediate unlocks of their vesting CLOUD tokens in exchange for forfeiting 35% of their holdings to the Team Reserve. With 9% of token supply unlocking monthly over 24 months from investors, the mechanism could have increased the Team Reserve by up to 27 million CLOUD while reducing token overhang. The team committed not to redistribute forfeited tokens for at least 24 months. + +## Market Data +- **Outcome:** Failed +- **Proposer:** proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2 +- **Platform:** Futardio (MetaDAO Autocrat v0.3) +- **DAO Account:** GVmi7ngRAVsUHh8REhKDsB2yNftJTNRt5qMLHDDCizov +- **Completed:** 2025-08-23 + +## Significance +This proposal represents an alternative approach to the token vesting hedgeability problem: rather than allowing investors to maintain nominal lockups while hedging exposure through derivatives, it forces an explicit forfeit-for-liquidity trade-off. The 35% forfeit rate creates a real cost for early liquidity, making the alignment mechanism meaningful rather than cosmetic. The proposal's failure despite potential treasury benefits suggests futarchy markets face adoption friction even for economically rational proposals when they require sophisticated financial reasoning from participants. + +## Relationship to KB +- [[sanctum]] - parent entity governance decision +- [[time-based-token-vesting-is-hedgeable-making-standard-lockups-meaningless-as-alignment-mechanisms-because-investors-can-short-sell-to-neutralize-lockup-exposure-while-appearing-locked]] - alternative mechanism to hedging +- [[futarchy-adoption-faces-friction-from-token-price-psychology-proposal-complexity-and-liquidity-requirements]] - demonstrates complexity friction +- [[MetaDAOs-futarchy-implementation-shows-limited-trading-volume-in-uncontested-decisions]] - low volume uncontested decision pattern diff --git a/entities/internet-finance/sanctum.md b/entities/internet-finance/sanctum.md new file mode 100644 index 00000000..af6d80ad --- /dev/null +++ b/entities/internet-finance/sanctum.md @@ -0,0 +1,22 @@ +--- +type: entity +entity_type: company +name: Sanctum +domain: internet-finance +status: active +tracked_by: rio +created: 2026-03-11 +--- + +# Sanctum + +## Overview +Sanctum is a Solana-based protocol that adopted futarchy governance through MetaDAO's Autocrat program in early 2025. The project uses conditional token markets for governance decisions, with CLOUD-0 serving as its inaugural educational proposal. + +## Timeline +- **2025-02-03** - [[sanctum-cloud-0-logo-change]] launched: First futarchy governance proposal (educational logo change) +- **2025-02-06** - [[sanctum-cloud-0-logo-change]] passed: Completed 3-day deliberation + 3-day voting cycle + +## Relationship to KB +- [[MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale]] - governance infrastructure provider +- [[MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window]] - mechanism implementation diff --git a/entities/internet-finance/seekervault-futardio-fundraise.md b/entities/internet-finance/seekervault-futardio-fundraise.md new file mode 100644 index 00000000..be0a79ec --- /dev/null +++ b/entities/internet-finance/seekervault-futardio-fundraise.md @@ -0,0 +1,50 @@ +--- +type: entity +entity_type: decision_market +name: "SeekerVault: Futardio Fundraise" +domain: internet-finance +status: failed +parent_entity: "[[seekervault]]" +platform: "futardio" +proposer: "gbflarcos, Beardkoda" +proposal_url: "https://www.futard.io/launch/7AMzZD3JZ15FCX2eoC17KgJD5Ywum9J5i7E9BAbgc2vi" +proposal_date: 2026-03-08 +resolution_date: 2026-03-09 +category: "fundraise" +summary: "Fundraise for encrypted backup layer targeting 150K+ Solana Seeker phone users" +key_metrics: + funding_target: "$50,000" + total_committed: "$2,095" + outcome: "refunding" + token_symbol: "J4r" + token_mint: "J4rMkvf4qwJgX2nK3ueeL4E423chSG2jVqgk5LAGmeta" +tracked_by: rio +created: 2026-03-11 +--- + +# SeekerVault: Futardio Fundraise + +## Summary +SeekerVault attempted to raise $50,000 through Futardio to build encrypted decentralized backup infrastructure for the 150,000+ Solana Seeker phones. The project positioned itself as replacing Google Drive/iCloud with Walrus + Seal storage, with a roadmap including AI agent vaults, creator content stores, and data marketplace. The raise attracted only $2,095 (4.2% of target) before entering refunding status. + +## Market Data +- **Outcome:** Failed (Refunding) +- **Proposers:** gbflarcos, Beardkoda +- **Funding Target:** $50,000 +- **Total Committed:** $2,095 +- **Duration:** 1 day (2026-03-08 to 2026-03-09) +- **Token:** J4r (J4rMkvf4qwJgX2nK3ueeL4E423chSG2jVqgk5LAGmeta) + +## Significance +This fundraise demonstrates the challenge of raising capital for infrastructure plays even with clear product-market fit thesis (150K captive users). The 4.2% subscription rate suggests either: +1. Market skepticism about execution capability (two-person team, ambitious multi-phase roadmap) +2. Unclear value capture mechanism (SKV token utility described but not compelling) +3. Competition concerns (despite claiming "zero competition") +4. Timing mismatch (dApp Store listing still "in review") + +The pitch emphasized multiple revenue streams (subscriptions, creator economy tax, marketplace fees) but may have suffered from scope ambiguity — backup tool vs. AI agent infrastructure vs. creator platform vs. data marketplace. + +## Relationship to KB +- [[seekervault]] — parent entity, fundraise attempt +- [[futardio]] — platform used for raise +- [[MetaDAO]] — futarchy governance infrastructure diff --git a/entities/internet-finance/seekervault.md b/entities/internet-finance/seekervault.md index 4051bd6b..3d5e264f 100644 --- a/entities/internet-finance/seekervault.md +++ b/entities/internet-finance/seekervault.md @@ -27,6 +27,7 @@ The project proposed combining Walrus protocol for decentralized storage with Se - **2026-03-04** — Launched fundraise on Futardio targeting $75,000 for 6-month runway - **2026-03-05** — Fundraise closed in refunding status with only $1,186 committed (1.6% of target) +- **2026-03-08** — Futardio fundraise launched targeting $50,000 for 6-month runway to build encrypted backup for 150K+ Solana Seeker phones; raised $2,095 before refunding ## Relationship to KB - [[futardio]] — fundraising platform - Example of failed futarchy-governed fundraise with extreme undersubscription \ No newline at end of file diff --git a/entities/internet-finance/test-dao-testing-indexer-changes.md b/entities/internet-finance/test-dao-testing-indexer-changes.md new file mode 100644 index 00000000..466ca03a --- /dev/null +++ b/entities/internet-finance/test-dao-testing-indexer-changes.md @@ -0,0 +1,37 @@ +--- +type: entity +entity_type: decision_market +name: "Test DAO: Testing indexer changes" +domain: internet-finance +status: failed +parent_entity: "[[test-dao]]" +platform: "futardio" +proposer: "BF8hxzzR4KuVxfsyAUFyy26E6y2GhsSZgBoUQrygwof1" +proposal_url: "https://www.futard.io/proposal/35mgLHTJYhyEWjsLHDd4jZNQ6jwuZ4E214TUm1hA8vB2" +proposal_date: 2025-07-02 +resolution_date: 2025-07-02 +category: "mechanism" +summary: "Test proposal for indexer changes on futardio platform" +tracked_by: rio +created: 2026-03-11 +--- + +# Test DAO: Testing indexer changes + +## Summary +Test proposal to validate indexer changes on the futardio platform. The proposal description appears truncated ("This is"), suggesting this was a technical test rather than a substantive governance decision. + +## Market Data +- **Outcome:** Failed +- **Proposer:** BF8hxzzR4KuVxfsyAUFyy26E6y2GhsSZgBoUQrygwof1 +- **Proposal account:** 35mgLHTJYhyEWjsLHDd4jZNQ6jwuZ4E214TUm1hA8vB2 +- **DAO account:** GCSGFCRfCRQDbqtPLa6bV7DCJz26NkejR182or8PNqRw +- **Autocrat version:** 0.3 +- **Proposal number:** 2 + +## Significance +This appears to be a technical test proposal for platform infrastructure rather than a substantive governance decision. The truncated description and "test" naming convention indicate this was used to validate indexer functionality on the futardio platform. + +## Relationship to KB +- [[test-dao]] - parent organization +- [[futardio]] - platform hosting the decision market diff --git a/entities/internet-finance/theia-research.md b/entities/internet-finance/theia-research.md index 4ba47b4b..7843d615 100644 --- a/entities/internet-finance/theia-research.md +++ b/entities/internet-finance/theia-research.md @@ -40,6 +40,9 @@ Onchain liquid token fund managed by Felipe Montealegre. Invests in companies bu - **2026-02-12** — Published 2025 Annual Letter. Five-phase investment loop: moat analysis → multiples → prediction → Kelly sizing → Bayesian updating. Noah Goldberg promoted to equity partner, Thomas Bautista hired. - **2026-02-17** — Published "The Investment Manager of the Future." LLMs invert 80/20 ratio of execution vs analysis. +- **2026-02-27** — Felipe Montealegre publicly endorsed MetaDAO's value proposition for "Claude Code founders" who can "raise capital in days so they can ship in weeks," framing it as operational reality rather than narrative (14.9K views, 78 likes) +- **2025-01-27** — Proposed $500K OTC purchase of 370.370 META tokens at 14% premium to MetaDAO +- **2025-01-30** — Completed $500K META token purchase from MetaDAO treasury with 12-month linear vesting ## Competitive Position - **Unique positioning**: Only known institutional fund explicitly building investment thesis around futarchy governance as a moat - **Token governance focus**: Launched Token Transparency Framework with Blockworks. Describes "Lemon Problem in Token Markets" — the structural issue of quality tokens being indistinguishable from scams diff --git a/entities/internet-finance/twg-ai.md b/entities/internet-finance/twg-ai.md new file mode 100644 index 00000000..23bef9cd --- /dev/null +++ b/entities/internet-finance/twg-ai.md @@ -0,0 +1,21 @@ +--- +type: entity +entity_type: company +name: TWG AI +domain: internet-finance +status: active +tracked_by: rio +created: 2026-03-11 +--- + +# TWG AI + +TWG AI is an analytics company specializing in AI-powered pattern detection. In January 2026, TWG AI partnered with Polymarket and Palantir to build surveillance infrastructure for sports prediction markets. + +## Timeline + +- **2026-01-XX** — Partnered with [[polymarket]] and [[palantir]] to build surveillance system detecting suspicious trading and manipulation in sports prediction markets, providing AI analytics to flag unusual patterns + +## Relationship to KB + +TWG AI's role in prediction market surveillance demonstrates the application of AI analytics to market integrity monitoring, relevant to discussions of manipulation resistance in [[futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders]]. \ No newline at end of file diff --git a/entities/internet-finance/xpmaxxer.md b/entities/internet-finance/xpmaxxer.md new file mode 100644 index 00000000..8305ba2a --- /dev/null +++ b/entities/internet-finance/xpmaxxer.md @@ -0,0 +1,26 @@ +--- +type: entity +entity_type: person +name: xpmaxxer +domain: internet-finance +status: active +roles: + - founder +affiliations: + - Island +tracked_by: rio +created: 2026-03-11 +--- + +# xpmaxxer + +Founder of Island.ag, a failed DeFi loyalty and hotel booking platform. Background in hospitality industry operations before entering crypto. Currently manages personal capital across Solana DeFi protocols. + +## Timeline + +- **2026-03-04** — Launched [[island-futardio-fundraise]] seeking $50K for DeFi-travel loyalty platform, raised only $250 before refunding + +## Relationship to KB + +- [[island]] — founded company +- [[futardio]] — used platform for fundraise attempt \ No newline at end of file diff --git a/foundations/collective-intelligence/_map.md b/foundations/collective-intelligence/_map.md index a80e5e34..d4e88f9f 100644 --- a/foundations/collective-intelligence/_map.md +++ b/foundations/collective-intelligence/_map.md @@ -10,6 +10,9 @@ What collective intelligence IS, how it works, and the theoretical foundations f - [[partial connectivity produces better collective intelligence than full connectivity on complex problems because it preserves diversity]] — network topology matters - [[collective intelligence within a purpose-driven community faces a structural tension because shared worldview correlates errors while shared purpose enables coordination]] — the core tension +## Contribution & Evaluation +- [[adversarial contribution produces higher-quality collective knowledge than collaborative contribution when wrong challenges have real cost evaluation is structurally separated from contribution and confirmation is rewarded alongside novelty]] — when adversarial beats collaborative + ## Coordination Design - [[designing coordination rules is categorically different from designing coordination outcomes as nine intellectual traditions independently confirm]] — rules not outcomes - [[Ostrom proved communities self-govern shared resources when eight design principles are met without requiring state control or privatization]] — the empirical evidence diff --git a/foundations/collective-intelligence/adversarial contribution produces higher-quality collective knowledge than collaborative contribution when wrong challenges have real cost evaluation is structurally separated from contribution and confirmation is rewarded alongside novelty.md b/foundations/collective-intelligence/adversarial contribution produces higher-quality collective knowledge than collaborative contribution when wrong challenges have real cost evaluation is structurally separated from contribution and confirmation is rewarded alongside novelty.md new file mode 100644 index 00000000..31a6eb92 --- /dev/null +++ b/foundations/collective-intelligence/adversarial contribution produces higher-quality collective knowledge than collaborative contribution when wrong challenges have real cost evaluation is structurally separated from contribution and confirmation is rewarded alongside novelty.md @@ -0,0 +1,50 @@ +--- +type: claim +domain: collective-intelligence +description: "Identifies three necessary conditions under which adversarial knowledge contribution ('tell us something we don't know') produces genuine collective intelligence rather than selecting for contrarianism. Key reframe: the adversarial dynamic should be contributor vs. knowledge base, not contributor vs. contributor" +confidence: experimental +source: "Theseus, original analysis drawing on prediction market evidence, scientific peer review, and mechanism design theory" +created: 2026-03-11 +--- + +# Adversarial contribution produces higher-quality collective knowledge than collaborative contribution when wrong challenges have real cost evaluation is structurally separated from contribution and confirmation is rewarded alongside novelty + +"Tell us something we don't know" is a more effective prompt for collective knowledge than "help us build consensus" — but only when three structural conditions prevent the adversarial dynamic from degenerating into contrarianism. + +## Why adversarial beats collaborative (the base case) + +The hardest problem in knowledge systems is surfacing what the system doesn't already know. Collaborative systems (Wikipedia's consensus model, corporate knowledge bases) are structurally biased toward confirming and refining existing knowledge. They're excellent at polishing what's already there but poor at incorporating genuinely novel — and therefore initially uncomfortable — information. + +Prediction markets demonstrate the adversarial alternative: every trade is a bet that the current price is wrong. The market rewards traders who know something the market doesn't. Polymarket's 2024 US election performance — more accurate than professional polling — is evidence that adversarial information aggregation outperforms collaborative consensus on complex factual questions. + +Scientific peer review is also adversarial by design: reviewers are selected specifically to challenge the paper. The system produces higher-quality knowledge than self-review precisely because the adversarial dynamic catches errors, overclaims, and gaps that the author cannot see. + +## The three conditions + +**Condition 1: Wrong challenges must have real cost.** In prediction markets, contrarians who are wrong lose money. In scientific review, reviewers who reject valid work damage their reputation. Without cost of being wrong, the system selects for volume of challenges, not quality. The cost doesn't have to be financial — it can be reputational (contributor's track record is visible), attentional (low-quality challenges consume the contributor's limited review allocation), or structural (challenges require evidence, not just assertions). + +**Condition 2: Evaluation must be structurally separated from contribution.** If contributors evaluate each other's work, adversarial dynamics produce escalation rather than knowledge improvement — debate competitions, not truth-seeking. The Teleo model separates contributors (who propose challenges and new claims) from evaluators (AI agents who assess evidence quality against codified epistemic standards). The evaluators are not in the adversarial game; they referee it. This prevents the adversarial dynamic from becoming interpersonal. + +**Condition 3: Confirmation must be rewarded alongside novelty.** In science, replication studies are as important as discoveries — but dramatically undervalued by journals and funders. If a system only rewards novelty ("tell us something we don't know"), it systematically underweights evidence that confirms existing claims. Enrichments — adding new evidence to strengthen an existing claim — must be recognized as contributions, not dismissed as redundant. Otherwise the system selects for surprising-sounding over true. + +## The key reframe: contributor vs. knowledge base, not contributor vs. contributor + +The adversarial dynamic should be between contributors and the existing knowledge — "challenge what the system thinks it knows" — not between contributors and each other. When contributors compete to prove each other wrong, you get argumentative escalation. When contributors compete to identify gaps, errors, and blindspots in the collective knowledge, you get genuine intelligence amplification. + +This distinction maps to the difference between debate (adversarial between parties) and scientific inquiry (adversarial against the current state of knowledge). Both are adversarial, but the target of the adversarial pressure produces categorically different dynamics. + +--- + +Relevant Notes: +- [[adversarial PR review produces higher quality knowledge than self-review because separated proposer and evaluator roles catch errors that the originating agent cannot see]] — operational evidence for condition #2 in a multi-agent context +- [[speculative markets aggregate information through incentive and selection effects not wisdom of crowds]] — the mechanism by which adversarial markets produce collective intelligence +- [[collective intelligence requires diversity as a structural precondition not a moral preference]] — adversarial contribution is one mechanism for maintaining diversity against convergence pressure +- [[partial connectivity produces better collective intelligence than full connectivity on complex problems because it preserves diversity]] — structural conditions under which diversity (and therefore adversarial input) matters most +- [[confidence calibration with four levels enforces honest uncertainty because proven requires strong evidence while speculative explicitly signals theoretical status]] — the confidence system that operationalizes condition #1 (new claims enter at low confidence and must earn upgrades) + +- [[scalable oversight degrades rapidly as capability gaps grow with debate achieving only 50 percent success at moderate gaps]] — contrast case: adversarial debate between AI systems degrades at scale, while adversarial contribution between humans and a knowledge base may not face the same scaling constraint +- [[domain specialization with cross-domain synthesis produces better collective intelligence than generalist agents because specialists build deeper knowledge while a dedicated synthesizer finds connections they cannot see from within their territory]] — the structural context in which adversarial contribution operates +- [[protocol design enables emergent coordination of arbitrary complexity as Linux Bitcoin and Wikipedia demonstrate]] — existence proofs of adversarial/competitive contribution producing collective intelligence at scale + +Topics: +- [[foundations/collective-intelligence/_map]] diff --git a/inbox/archive/2016-00-00-cambridge-staffing-non-poisson-non-stationary-arrivals.md b/inbox/archive/2016-00-00-cambridge-staffing-non-poisson-non-stationary-arrivals.md new file mode 100644 index 00000000..c8d5755c --- /dev/null +++ b/inbox/archive/2016-00-00-cambridge-staffing-non-poisson-non-stationary-arrivals.md @@ -0,0 +1,30 @@ +--- +type: source +title: "Staffing a Service System with Non-Poisson Non-Stationary Arrivals" +author: "Ward Whitt et al. (Cambridge Core)" +url: https://www.cambridge.org/core/journals/probability-in-the-engineering-and-informational-sciences/article/abs/staffing-a-service-system-with-nonpoisson-nonstationary-arrivals/0F42FDA80A8B0B197D3D9E0B040A43D2 +date: 2016-01-01 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, stochastic-modeling, non-stationary-arrivals, capacity-sizing] +--- + +# Staffing a Service System with Non-Poisson Non-Stationary Arrivals + +Extends the square-root staffing formula to handle non-Poisson arrival processes, including non-stationary Cox processes where the arrival rate itself is a stochastic process. + +## Key Content + +- Standard Poisson assumption fails when arrivals are bursty or time-varying +- Introduces "peakedness" — the variance-to-mean ratio of the arrival process — as the key parameter for non-Poisson adjustment +- Modified staffing formula: adjust the square-root safety margin by the peakedness factor +- For bursty arrivals (peakedness > 1), you need MORE safety capacity than Poisson models suggest +- For smooth arrivals (peakedness < 1), you need LESS +- Practical: replacing time-varying arrival rates with constant (average or max) leads to badly under- or over-staffed systems + +## Relevance to Teleo Pipeline + +Our arrival process is highly non-stationary: research dumps are bursty (15 sources at once), futardio launches come in bursts of 20+, while some days are quiet. This is textbook non-Poisson non-stationary. The peakedness parameter captures exactly how bursty our arrivals are and tells us how much extra capacity we need beyond the basic square-root staffing rule. + +Key insight: using a constant MAX_WORKERS regardless of current queue state is the worst of both worlds — too many workers during quiet periods (wasted compute), too few during bursts (queue explosion). diff --git a/inbox/archive/2016-00-00-corless-aimd-dynamics-distributed-resource-allocation.md b/inbox/archive/2016-00-00-corless-aimd-dynamics-distributed-resource-allocation.md new file mode 100644 index 00000000..14afb40e --- /dev/null +++ b/inbox/archive/2016-00-00-corless-aimd-dynamics-distributed-resource-allocation.md @@ -0,0 +1,28 @@ +--- +type: source +title: "AIMD Dynamics and Distributed Resource Allocation" +author: "Martin J. Corless, C. King, R. Shorten, F. Wirth (SIAM)" +url: https://epubs.siam.org/doi/book/10.1137/1.9781611974225 +date: 2016-01-01 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, AIMD, distributed-resource-allocation, congestion-control, fairness] +--- + +# AIMD Dynamics and Distributed Resource Allocation + +SIAM monograph on AIMD (Additive Increase Multiplicative Decrease) as a general-purpose distributed resource allocation mechanism. Extends the TCP congestion control principle to resource allocation in computing, energy, and other domains. + +## Key Content + +- AIMD is the most widely used method for allocating limited resources among competing agents without centralized control +- Core algorithm: additive increase when no congestion (rate += α), multiplicative decrease when congestion detected (rate *= β, where 0 < β < 1) +- Provably fair: converges to equal sharing of available bandwidth/capacity +- Provably stable: system converges regardless of number of agents or parameter values +- Three sample applications: internet congestion control, smart grid energy allocation, distributed computing +- Key property: no global information needed — each agent only needs to observe local congestion signals + +## Relevance to Teleo Pipeline + +AIMD provides a principled, proven scaling algorithm: when eval queue is shrinking (no congestion), increase extraction workers by 1 per cycle. When eval queue is growing (congestion), halve extraction workers. This doesn't require predicting load, modeling arrivals, or solving optimization problems — it reacts to observed system state and is mathematically guaranteed to converge. Perfect for our "expensive compute, variable load" setting. diff --git a/inbox/archive/2018-00-00-siam-economies-of-scale-halfin-whitt-regime.md b/inbox/archive/2018-00-00-siam-economies-of-scale-halfin-whitt-regime.md new file mode 100644 index 00000000..bed45a50 --- /dev/null +++ b/inbox/archive/2018-00-00-siam-economies-of-scale-halfin-whitt-regime.md @@ -0,0 +1,28 @@ +--- +type: source +title: "Economies-of-Scale in Many-Server Queueing Systems: Tutorial and Partial Review of the QED Halfin-Whitt Heavy-Traffic Regime" +author: "Johan van Leeuwaarden, Britt Mathijsen, Jaron Sanders (SIAM Review)" +url: https://epubs.siam.org/doi/10.1137/17M1133944 +date: 2018-01-01 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, queueing-theory, Halfin-Whitt, economies-of-scale, square-root-staffing] +--- + +# Economies-of-Scale in Many-Server Queueing Systems + +SIAM Review tutorial on the QED (Quality-and-Efficiency-Driven) Halfin-Whitt heavy-traffic regime — the mathematical foundation for understanding when and how multi-server systems achieve economies of scale. + +## Key Content + +- The QED regime: operate near full utilization while keeping delays manageable +- As server count n grows, utilization approaches 1 at rate Θ(1/√n) — the "square root staffing" principle +- Economies of scale: larger systems need proportionally fewer excess servers for the same service quality +- The regime applies to systems ranging from tens to thousands of servers +- Square-root safety staffing works empirically even for moderate-sized systems (5-20 servers) +- Tutorial connects abstract queueing theory to practical staffing decisions + +## Relevance to Teleo Pipeline + +At our scale (5-6 workers), we're in the "moderate system" range where square-root staffing still provides useful guidance. The key takeaway: we don't need sophisticated algorithms for a system this small. Simple threshold policies informed by queueing theory will capture most of the benefit. The economies-of-scale result also tells us that if we grow to 20+ workers, the marginal value of each additional worker decreases — important for cost optimization. diff --git a/inbox/archive/2018-00-00-simio-resource-scheduling-non-stationary-service-systems.md b/inbox/archive/2018-00-00-simio-resource-scheduling-non-stationary-service-systems.md new file mode 100644 index 00000000..a7a6c125 --- /dev/null +++ b/inbox/archive/2018-00-00-simio-resource-scheduling-non-stationary-service-systems.md @@ -0,0 +1,27 @@ +--- +type: source +title: "Resource Scheduling in Non-Stationary Service Systems" +author: "Simio / WinterSim 2018" +url: https://www.simio.com/resources/papers/WinterSim2018/Resource-Scheduling-In-Non-stationary-Service-Systems.php +date: 2018-12-01 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, stochastic-modeling, non-stationary-arrivals, resource-scheduling, simulation] +--- + +# Resource Scheduling in Non-Stationary Service Systems + +WinterSim 2018 paper on scheduling resources (servers/workers) when arrival rates change over time. Addresses the gap between theoretical queueing models (which assume stationarity) and real systems (which don't). + +## Key Content + +- Non-stationary service systems require time-varying staffing — fixed worker counts are suboptimal +- The goal: determine the number of servers as a function of time +- Without server constraints there would be no waiting time, but this wastes capacity since arrivals are stochastic and nonstationary +- Simulation-based approach: use discrete-event simulation to test staffing policies against realistic arrival patterns +- Key tradeoff: responsiveness (adding workers fast when load spikes) vs. efficiency (not wasting workers during quiet periods) + +## Relevance to Teleo Pipeline + +Directly applicable: our pipeline needs time-varying worker counts, not fixed MAX_WORKERS. The paper validates the approach of measuring queue depth and adjusting workers dynamically rather than using static cron-based fixed pools. diff --git a/inbox/archive/2019-00-00-liu-modeling-nonstationary-non-poisson-arrival-processes.md b/inbox/archive/2019-00-00-liu-modeling-nonstationary-non-poisson-arrival-processes.md new file mode 100644 index 00000000..f280cbbf --- /dev/null +++ b/inbox/archive/2019-00-00-liu-modeling-nonstationary-non-poisson-arrival-processes.md @@ -0,0 +1,28 @@ +--- +type: source +title: "Modeling and Simulation of Nonstationary Non-Poisson Arrival Processes" +author: "Yunan Liu et al. (NC State)" +url: https://yunanliu.wordpress.ncsu.edu/files/2019/11/CIATApublished.pdf +date: 2019-01-01 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, stochastic-modeling, non-stationary-arrivals, MMPP, batch-arrivals] +--- + +# Modeling and Simulation of Nonstationary Non-Poisson Arrival Processes + +Introduces the CIATA (Combined Inversion-and-Thinning Approach) method for modeling nonstationary non-Poisson processes characterized by a rate function, mean-value function, and asymptotic variance-to-mean (dispersion) ratio. + +## Key Content + +- Standard Poisson process assumptions break down when arrivals are bursty or correlated +- CIATA models target arrival processes via rate function + dispersion ratio — captures both time-varying intensity and burstiness +- The Markov-MECO process (a Markovian arrival process / MAP) models interarrival times as absorption times of a continuous-time Markov chain +- Markov-Modulated Poisson Process (MMPP): arrival rate switches between states governed by a hidden Markov chain — natural model for "bursty then quiet" patterns +- Key finding: replacing a time-varying arrival rate with a constant (max or average) leads to systems being badly understaffed or overstaffed +- Congestion measures are increasing functions of arrival process variability — more bursty = more capacity needed + +## Relevance to Teleo Pipeline + +Our arrival process is textbook MMPP: there's a hidden state (research session happening vs. quiet period) that governs the arrival rate. During research sessions, sources arrive in bursts of 10-20. During quiet periods, maybe 0-2 per day. The MMPP framework models this directly and gives us tools to size capacity for the mixture of states rather than the average. diff --git a/inbox/archive/2019-00-00-whitt-what-you-should-know-about-queueing-models.md b/inbox/archive/2019-00-00-whitt-what-you-should-know-about-queueing-models.md new file mode 100644 index 00000000..31382a3d --- /dev/null +++ b/inbox/archive/2019-00-00-whitt-what-you-should-know-about-queueing-models.md @@ -0,0 +1,29 @@ +--- +type: source +title: "What You Should Know About Queueing Models" +author: "Ward Whitt (Columbia University)" +url: https://www.columbia.edu/~ww2040/shorter041907.pdf +date: 2019-04-19 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, queueing-theory, square-root-staffing, Halfin-Whitt] +--- + +# What You Should Know About Queueing Models + +Practitioner-oriented guide by Ward Whitt (Columbia), one of the founders of modern queueing theory for service systems. Covers the essential queueing models practitioners need and introduces the Halfin-Whitt heavy-traffic regime. + +## Key Content + +- Square-root staffing principle: optimal server count = base load + β√(base load), where β is a quality-of-service parameter +- The Halfin-Whitt (QED) regime: systems operate near full utilization while keeping delays manageable — utilization approaches 1 at rate Θ(1/√n) as servers n grow +- Economies of scale in multi-server systems: larger systems need proportionally fewer excess servers +- Practical formulas for determining server counts given arrival rates and service level targets +- Erlang C formula as the workhorse for staffing calculations + +## Relevance to Teleo Pipeline + +The square-root staffing rule is directly applicable: if our base load requires R workers at full utilization, we should provision R + β√R workers where β ≈ 1-2 depending on target service level. For our scale (~8 sources/cycle, ~5 min service time), this gives concrete worker count guidance. + +Critical insight: you don't need to match peak load with workers. The square-root safety margin handles variance efficiently. Over-provisioning for peak is wasteful; under-provisioning for average causes queue explosion. The sweet spot is the QED regime. diff --git a/inbox/archive/2019-07-00-li-overview-mdp-queues-networks.md b/inbox/archive/2019-07-00-li-overview-mdp-queues-networks.md new file mode 100644 index 00000000..d0e3923f --- /dev/null +++ b/inbox/archive/2019-07-00-li-overview-mdp-queues-networks.md @@ -0,0 +1,29 @@ +--- +type: source +title: "An Overview for Markov Decision Processes in Queues and Networks" +author: "Quan-Lin Li, Jing-Yu Ma, Rui-Na Fan, Li Xia" +url: https://arxiv.org/abs/1907.10243 +date: 2019-07-24 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, markov-decision-process, queueing-theory, dynamic-programming] +--- + +# An Overview for Markov Decision Processes in Queues and Networks + +Comprehensive 42-page survey of MDP applications in queueing systems, covering 60+ years of research from the 1960s to present. + +## Key Content + +- Continuous-time MDPs for queue management: decisions happen at state transitions (arrivals, departures) +- Classic results: optimal policies often have threshold structure — "serve if queue > K, idle if queue < K" +- For multi-server systems: optimal admission and routing policies are often simple (join-shortest-queue, threshold-based) +- Dynamic programming and stochastic optimization provide tools for deriving optimal policies +- Key challenge: curse of dimensionality — state space explodes with multiple queues/stages +- Practical approaches: approximate dynamic programming, reinforcement learning for large state spaces +- Emerging direction: deep RL for queue management in networks and cloud computing + +## Relevance to Teleo Pipeline + +Our pipeline has a manageable state space (queue depths across 3 stages, worker counts, time-of-day) — small enough for exact MDP solution via value iteration. The survey confirms that optimal policies for our type of system typically have threshold structure: "if queue > X and workers < Y, spawn a worker." This means even without solving the full MDP, a well-tuned threshold policy will be near-optimal. diff --git a/inbox/archive/2020-12-00-da-costa-active-inference-discrete-state-spaces.md b/inbox/archive/2020-12-00-da-costa-active-inference-discrete-state-spaces.md index ac46660f..7750505a 100644 --- a/inbox/archive/2020-12-00-da-costa-active-inference-discrete-state-spaces.md +++ b/inbox/archive/2020-12-00-da-costa-active-inference-discrete-state-spaces.md @@ -7,9 +7,14 @@ date: 2020-12-01 domain: ai-alignment secondary_domains: [critical-systems] format: paper -status: unprocessed +status: null-result priority: medium tags: [active-inference, tutorial, discrete-state-space, expected-free-energy, variational-free-energy, planning, decision-making] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["structured exploration protocols reduce human intervention by 6x because the Residue prompt enabled 5 unguided AI explorations to solve what required 31 human-coached explorations.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Technical reference paper for discrete-state active inference. Extracted two core claims about the VFE/EFE distinction and the unification of existing frameworks under free energy minimization. One enrichment connecting formal active inference theory to the existing Residue prompt claim. This provides mathematical foundation for implementing EFE-based research direction selection in KB architecture." --- ## Content diff --git a/inbox/archive/2021-04-00-tournaire-optimal-control-cloud-resource-allocation-mdp.md b/inbox/archive/2021-04-00-tournaire-optimal-control-cloud-resource-allocation-mdp.md new file mode 100644 index 00000000..cc38341b --- /dev/null +++ b/inbox/archive/2021-04-00-tournaire-optimal-control-cloud-resource-allocation-mdp.md @@ -0,0 +1,30 @@ +--- +type: source +title: "Optimal Control Policies for Resource Allocation in the Cloud: Comparison Between Markov Decision Process and Heuristic Approaches" +author: "Thomas Tournaire, Hind Castel-Taleb, Emmanuel Hyon" +url: https://arxiv.org/abs/2104.14879 +date: 2021-04-30 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, markov-decision-process, cloud-autoscaling, optimal-control] +--- + +# Optimal Control Policies for Resource Allocation in the Cloud + +Compares MDP-based optimal scaling policies against heuristic approaches for cloud auto-scaling. The MDP formulation treats VM provisioning as a sequential decision problem. + +## Key Content + +- Auto-scaling problem: VMs turned on/off based on queue occupation to minimize combined energy + performance cost +- MDP formulation: states = queue lengths + active VMs, actions = add/remove VMs, rewards = negative cost (energy + SLA violations) +- Value iteration and policy iteration algorithms find optimal threshold policies +- Structured MDP algorithms incorporating hysteresis properties outperform heuristics in both execution time and accuracy +- Hysteresis: different thresholds for scaling up vs. scaling down — prevents oscillation (e.g., scale up at queue=10, scale down at queue=3) +- MDP algorithms find optimal hysteresis thresholds automatically + +## Relevance to Teleo Pipeline + +The MDP formulation maps directly: states = (unprocessed queue, in-flight extractions, open PRs, active workers), actions = (spawn worker, kill worker, wait), cost = (Claude compute cost per worker-minute + delay cost per queued source). The hysteresis insight is particularly valuable — we should have different thresholds for spinning up vs. spinning down workers to prevent oscillation. + +Key finding: structured MDP with hysteresis outperforms simple threshold heuristics. But even simple threshold policies (scale up at queue=N, scale down at queue=M where M < N) perform reasonably well. diff --git a/inbox/archive/2021-09-00-vlahakis-aimd-scheduling-distributed-computing.md b/inbox/archive/2021-09-00-vlahakis-aimd-scheduling-distributed-computing.md new file mode 100644 index 00000000..0e35384f --- /dev/null +++ b/inbox/archive/2021-09-00-vlahakis-aimd-scheduling-distributed-computing.md @@ -0,0 +1,30 @@ +--- +type: source +title: "AIMD Scheduling and Resource Allocation in Distributed Computing Systems" +author: "Vlahakis, Athanasopoulos et al." +url: https://arxiv.org/abs/2109.02589 +date: 2021-09-06 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, AIMD, distributed-computing, resource-allocation, congestion-control] +--- + +# AIMD Scheduling and Resource Allocation in Distributed Computing Systems + +Applies TCP's AIMD (Additive Increase Multiplicative Decrease) congestion control to distributed computing resource allocation — scheduling incoming requests across computing nodes. + +## Key Content + +- Models distributed system as multi-queue scheme with computing nodes +- Proposes AIMD-like admission control: stable irrespective of total node count and AIMD parameters +- Key insight: congestion control in networks and worker scaling in compute pipelines are the same problem — matching producer rate to consumer capacity +- Decentralized resource allocation using nonlinear state feedback achieves global convergence to bounded set in finite time +- Connects to QoS via Little's Law: local queuing time calculable from simple formula +- AIMD is proven optimal for fair allocation of shared resources among competing agents without centralized control + +## Relevance to Teleo Pipeline + +AIMD provides an elegant scaling policy: when queue is shrinking (system healthy), add workers linearly (e.g., +1 per cycle). When queue is growing (system overloaded), cut workers multiplicatively (e.g., halve them). This is self-correcting, proven stable, and doesn't require predicting load — it reacts to observed queue state. + +The TCP analogy is precise: our pipeline "bandwidth" is eval throughput. When extract produces faster than eval can consume, we need backpressure (slow extraction) or scale-up (more eval workers). AIMD handles this naturally. diff --git a/inbox/archive/2022-03-09-imf-costa-rica-ebais-primary-health-care.md b/inbox/archive/2022-03-09-imf-costa-rica-ebais-primary-health-care.md index 3ffe2a64..6be04887 100644 --- a/inbox/archive/2022-03-09-imf-costa-rica-ebais-primary-health-care.md +++ b/inbox/archive/2022-03-09-imf-costa-rica-ebais-primary-health-care.md @@ -7,9 +7,14 @@ date: 2022-03-09 domain: health secondary_domains: [] format: report -status: unprocessed +status: null-result priority: high tags: [costa-rica, ebais, primary-health-care, international-comparison, spending-efficiency, blue-zone] +processed_by: vida +processed_date: 2026-03-11 +enrichments_applied: ["medical care explains only 10-20 percent of health outcomes because behavioral social and genetic factors dominate as four independent methodologies confirm.md", "pace-demonstrates-integrated-care-averts-institutionalization-through-community-based-delivery-not-cost-reduction.md", "the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Two new claims extracted: (1) Costa Rica as proof that prevention-first primary care at national scale achieves peer outcomes at fraction of US cost, (2) geographic empanelment as the structural mechanism enabling population health management. Three enrichments: extends the 10-20% medical care claim with strongest international counterfactual, extends PACE claim with national-scale comparison, confirms healthcare attractor state but challenges whether technology is prerequisite vs accelerant. Key insight: EBAIS-PACE comparison reveals same clinical model, wildly different scale — difference is political economy not care design." --- ## Content @@ -58,3 +63,12 @@ tags: [costa-rica, ebais, primary-health-care, international-comparison, spendin PRIMARY CONNECTION: [[medical care explains only 10-20 percent of health outcomes because behavioral social and genetic factors dominate as four independent methodologies confirm]] WHY ARCHIVED: First international health system deep-dive in the KB. Costa Rica is the strongest counterfactual to US healthcare spending. EXTRACTION HINT: The EBAIS-PACE comparison is where the real insight lives. Same model, same concept — wildly different scale. What's different? Political economy, not clinical design. + + +## Key Facts +- Costa Rica life expectancy: 81.5 years (female), 76.7 years (male) — second in Americas +- Costa Rica healthcare spending: 1/10 per capita vs US, below world average as % of income +- EBAIS introduced 1994, covers 5 million population +- EBAIS team composition: doctor, nurse, technical assistant, medical clerk, pharmacist +- EBAIS districts show 8% lower child mortality, 2% lower adult mortality, 14% decline in communicable disease deaths +- Nicoya Peninsula is one of 5 global Blue Zones, but Costa Rica's health outcomes are national not regional diff --git a/inbox/archive/2022-06-07-slimmon-littles-law-scale-applications.md b/inbox/archive/2022-06-07-slimmon-littles-law-scale-applications.md new file mode 100644 index 00000000..e7f5a531 --- /dev/null +++ b/inbox/archive/2022-06-07-slimmon-littles-law-scale-applications.md @@ -0,0 +1,29 @@ +--- +type: source +title: "Using Little's Law to Scale Applications" +author: "Dan Slimmon" +url: https://blog.danslimmon.com/2022/06/07/using-littles-law-to-scale-applications/ +date: 2022-06-07 +domain: internet-finance +format: essay +status: unprocessed +tags: [pipeline-architecture, operations-research, queueing-theory, littles-law, capacity-planning] +--- + +# Using Little's Law to Scale Applications + +Practitioner guide showing how Little's Law (L = λW) provides a simple but powerful tool for capacity planning in real systems. + +## Key Content + +- Little's Law: L = λW where L = average items in system, λ = arrival rate, W = average time per item +- Rearranged for capacity: (total worker threads) ≥ (arrival rate)(average processing time) +- Practical example: 1000 req/s × 0.34s = 340 concurrent requests needed +- Important caveat: Little's Law gives long-term averages only — real systems need buffer capacity beyond the theoretical minimum to handle variance +- The formula guides capacity planning but isn't a complete scaling solution — it's the floor, not the ceiling + +## Relevance to Teleo Pipeline + +Direct application: if we process ~8 sources per extraction cycle (every 5 min) and each takes ~10-15 min of Claude compute, Little's Law says L = (8/300s) × 750s ≈ 20 sources in-flight at steady state. With 6 workers, each handles ~3.3 sources concurrently — which means we need the workers to pipeline or we'll have queue buildup. + +More practically: λ = average sources per second, W = average extraction time. Total workers needed ≥ λ × W. This gives us the minimum worker floor. The square-root staffing rule gives us the safety margin above that floor. diff --git a/inbox/archive/2023-00-00-sciencedirect-flexible-job-shop-scheduling-review.md b/inbox/archive/2023-00-00-sciencedirect-flexible-job-shop-scheduling-review.md new file mode 100644 index 00000000..6aace99b --- /dev/null +++ b/inbox/archive/2023-00-00-sciencedirect-flexible-job-shop-scheduling-review.md @@ -0,0 +1,29 @@ +--- +type: source +title: "The Flexible Job Shop Scheduling Problem: A Review" +author: "ScienceDirect review article" +url: https://www.sciencedirect.com/science/article/pii/S037722172300382X +date: 2023-01-01 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, combinatorial-optimization, job-shop-scheduling, flexible-scheduling] +--- + +# The Flexible Job Shop Scheduling Problem: A Review + +Comprehensive review of the Flexible Job Shop Scheduling Problem (FJSP) — a generalization of classical JSSP where operations can be processed on any machine from a set of eligible machines. + +## Key Content + +- Classical Job Shop Scheduling Problem (JSSP): n jobs, m machines, fixed operation-to-machine mapping, NP-complete for m > 2 +- Flexible JSSP (FJSP): operations can run on any eligible machine — adds machine assignment as a decision variable +- Flow-shop: all jobs follow the same machine order (our pipeline: research → extract → eval) +- Job-shop: jobs can have different machine orders (not our case) +- Hybrid flow-shop: multiple machines at each stage, jobs follow same stage order but can use any machine within a stage (THIS is our model) +- Solution approaches: metaheuristics (genetic algorithms, simulated annealing, tabu search) dominate for NP-hard instances +- Recent trend: multi-agent reinforcement learning for dynamic scheduling with worker heterogeneity and uncertainty + +## Relevance to Teleo Pipeline + +Our pipeline is a **hybrid flow-shop**: three stages (research → extract → eval), multiple workers at each stage, all sources flow through the same stage sequence. This is computationally easier than general JSSP. Key insight: for a hybrid flow-shop with relatively few stages and homogeneous workers within each stage, simple priority dispatching rules (shortest-job-first, FIFO within priority classes) perform within 5-10% of optimal. We don't need metaheuristics — we need good dispatching rules. diff --git a/inbox/archive/2023-02-00-pmc-cost-effectiveness-homecare-systematic-review.md b/inbox/archive/2023-02-00-pmc-cost-effectiveness-homecare-systematic-review.md index af7c7e8f..0ab0423e 100644 --- a/inbox/archive/2023-02-00-pmc-cost-effectiveness-homecare-systematic-review.md +++ b/inbox/archive/2023-02-00-pmc-cost-effectiveness-homecare-systematic-review.md @@ -7,9 +7,14 @@ date: 2023-02-01 domain: health secondary_domains: [] format: paper -status: unprocessed +status: null-result priority: high tags: [home-health, cost-effectiveness, facility-care, snf, hospital, aging, senior-care] +processed_by: vida +processed_date: 2026-03-11 +enrichments_applied: ["continuous health monitoring is converging on a multi-layer sensor stack of ambient wearables periodic patches and environmental sensors processed through AI middleware.md", "the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness.md", "value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted three claims about home health cost advantage, SNF margin bifurcation as transition signal, and RPM market growth. Applied enrichments to three existing claims about continuous monitoring, healthcare attractor state, and value-based care transitions. The 52% cost differential for heart failure home care is the strongest extractable finding—it represents structural cost advantage, not marginal improvement. SNF bifurcation (36% deeply unprofitable, 34% profitable) is a clear signal of industry restructuring rather than uniform decline. RPM growth data provides the technology enablement layer that makes home-based care clinically viable." --- ## Content @@ -51,3 +56,11 @@ tags: [home-health, cost-effectiveness, facility-care, snf, hospital, aging, sen PRIMARY CONNECTION: [[continuous health monitoring is converging on a multi-layer sensor stack of ambient wearables periodic patches and environmental sensors processed through AI middleware]] WHY ARCHIVED: Fills the care delivery layer gap — KB has claims about insurance/payment structure but not about where care is actually delivered and how that's changing. EXTRACTION HINT: The cost differential (52% for heart failure) is the most extractable finding. Pair with RPM growth data to show the enabling technology layer. + + +## Key Facts +- 94% of Medicare beneficiaries prefer post-hospital care at home vs. nursing homes +- Home health interventions typically more cost-efficient than institutional care across multiple conditions +- When homecare compared to hospital care: cost-saving in 7 studies, cost-effective in 2, more effective in 1 +- 71 million Americans expected to use some form of RPM by 2025 +- AI in RPM: $1.96B (2024) → $8.43B (2030), 27.5% CAGR diff --git a/inbox/archive/2024-00-00-dagster-data-backpressure.md b/inbox/archive/2024-00-00-dagster-data-backpressure.md new file mode 100644 index 00000000..183b35ca --- /dev/null +++ b/inbox/archive/2024-00-00-dagster-data-backpressure.md @@ -0,0 +1,29 @@ +--- +type: source +title: "What Is Backpressure" +author: "Dagster" +url: https://dagster.io/glossary/data-backpressure +date: 2024-01-01 +domain: internet-finance +format: essay +status: unprocessed +tags: [pipeline-architecture, backpressure, data-pipelines, flow-control] +--- + +# What Is Backpressure (Dagster) + +Dagster's practical guide to backpressure in data pipelines. Written for practitioners building real data processing systems. + +## Key Content + +- Backpressure: feedback mechanism preventing data producers from overwhelming consumers +- Without backpressure controls: data loss, crashes, resource exhaustion +- Consumer signals producer about capacity limits +- Implementation strategies: buffering (with threshold triggers), rate limiting, dynamic adjustment, acknowledgment-based flow +- Systems using backpressure: Apache Kafka (pull-based consumption), Flink, Spark Streaming, Akka Streams, Project Reactor +- Tradeoff: backpressure introduces latency but prevents catastrophic failure +- Key principle: design backpressure into the system from the start + +## Relevance to Teleo Pipeline + +Our pipeline has zero backpressure today. The extract-cron.sh checks for unprocessed sources and dispatches workers regardless of eval queue state. If extraction outruns evaluation, PRs accumulate with no feedback signal. Simple fix: extraction dispatcher should check open PR count before dispatching. If open PRs > threshold, reduce extraction parallelism or skip the cycle. diff --git a/inbox/archive/2024-02-26-futardio-proposal-increase-meta-liquidity-via-a-dutch-auction.md b/inbox/archive/2024-02-26-futardio-proposal-increase-meta-liquidity-via-a-dutch-auction.md index a2312acd..be3c7119 100644 --- a/inbox/archive/2024-02-26-futardio-proposal-increase-meta-liquidity-via-a-dutch-auction.md +++ b/inbox/archive/2024-02-26-futardio-proposal-increase-meta-liquidity-via-a-dutch-auction.md @@ -6,9 +6,14 @@ url: "https://www.futard.io/proposal/Dn638yPirR3e2UNNECpLNJApDhxsjhJTAv9uEd9LBVV date: 2024-02-26 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["MetaDAOs Autocrat program implements futarchy through conditional token markets where proposals create parallel pass and fail universes settled by time-weighted average price over a three-day window.md", "MetaDAOs futarchy implementation shows limited trading volume in uncontested decisions.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Proposal 10 is primarily operational/treasury management with no novel mechanism claims. The Dutch auction was manually executed (not programmatic), making it a governance case study rather than a mechanism innovation. Extracted as decision_market entity with enrichments to existing futarchy implementation claims. The sealed-bid multisig compensation structure (0-0.25 META) provides evidence for limited trading volume in uncontested decisions." --- ## Proposal Details @@ -116,3 +121,12 @@ This proposal will significantly increase Meta DAO's protocol-owned liquidity as - Autocrat version: 0.1 - Completed: 2024-03-02 - Ended: 2024-03-02 + + +## Key Facts +- MetaDAO Proposal 10 requested 3,005.45 total META (1,000 to sell, 2,000 for liquidity pairing, 5.45 compensation) +- Multisig address: LMRVapqnn1LEwKaD8PzYEs4i37whTgeVS41qKqyn1wi (3/5 threshold) +- Multisig members: Durden (91NjPFfJxQw2FRJvyuQUQsdh9mBGPeGPuNavt7nMLTQj), Ben H (Hu8qped4Cj7gQ3ChfZvZYrtgy2Ntr6YzfN7vwMZ2SWii), Nico (6kDGqrP4Wwqe5KBa9zTrgUFykVsv4YhZPDEX22kUsDMP), joebuild (XXXvLz1B89UtcTsg2hT3cL9qUJi5PqEEBTHg57MfNkZ), Dodecahedr0x (UuGEwN9aeh676ufphbavfssWVxH7BJCqacq1RYhco8e) +- Dutch auction mechanics: start 50% above spot, lower 5% every 24h if >6% above spot, new asks at 10% above spot when filled +- Liquidity destination: Meteora 4% fee pool initially, then consolidated to 1% fee pool +- DAO account: 7J5yieabpMoiN3LrdfJnRjQiXHgi7f47UuMnyMyR78yy diff --git a/inbox/archive/2024-05-29-nejm-flow-trial-semaglutide-kidney-outcomes.md b/inbox/archive/2024-05-29-nejm-flow-trial-semaglutide-kidney-outcomes.md new file mode 100644 index 00000000..4ba699c0 --- /dev/null +++ b/inbox/archive/2024-05-29-nejm-flow-trial-semaglutide-kidney-outcomes.md @@ -0,0 +1,40 @@ +--- +type: source +title: "Effects of Semaglutide on Chronic Kidney Disease in Patients with Type 2 Diabetes (FLOW Trial)" +author: "New England Journal of Medicine" +url: https://www.nejm.org/doi/abs/10.1056/NEJMoa2403347 +date: 2024-05-29 +domain: health +secondary_domains: [] +format: paper +status: unprocessed +priority: high +tags: [glp-1, semaglutide, CKD, kidney-disease, FLOW-trial, organ-protection] +--- + +## Content + +The FLOW trial — the first dedicated kidney outcomes trial with a GLP-1 receptor agonist. N=3,533 patients with type 2 diabetes and chronic kidney disease randomized to semaglutide vs. placebo. Median follow-up 3.4 years (stopped early at prespecified interim analysis due to efficacy). + +Key findings: +- Primary composite endpoint (major kidney disease events): 24% lower risk with semaglutide (HR 0.76; P=0.0003) +- Kidney-specific components: HR 0.79 (95% CI 0.66-0.94) +- Cardiovascular death: HR 0.71 (95% CI 0.56-0.89) — 29% reduction +- Major cardiovascular events: 18% lower risk +- Annual eGFR slope less steep by 1.16 mL/min/1.73m2 in semaglutide group (P<0.001) — slower kidney function decline +- FDA subsequently expanded semaglutide (Ozempic) indications to include T2D patients with CKD + +Additive benefits when used with SGLT2 inhibitors (separate analysis in Nature Medicine). + +## Agent Notes +**Why this matters:** CKD is among the most expensive chronic conditions to manage, with dialysis costing $90K+/year per patient. Slowing kidney decline by 1.16 mL/min/1.73m2 annually could delay or prevent dialysis for many patients. This is where the downstream savings argument for GLP-1s is strongest — preventing progression to end-stage renal disease has massive cost implications. +**What surprised me:** The trial was stopped early for efficacy — the effect was so large that continuing would have been unethical. The 29% reduction in cardiovascular death (in a kidney trial!) suggests these benefits are even broader than expected. +**What I expected but didn't find:** No cost-effectiveness analysis within this paper. No comparison of cost of semaglutide vs. cost of delayed dialysis. The economic case needs to be constructed separately. +**KB connections:** Connects to Value in Health Medicare study (CKD savings component = $2,074/subject). Also connects to the multi-indication benefit thesis — GLP-1s working across CV, metabolic, kidney, and liver simultaneously. +**Extraction hints:** Potential claim: "Semaglutide reduces kidney disease progression by 24% and delays dialysis onset, creating the largest per-patient cost savings of any GLP-1 indication because dialysis costs $90K+/year." +**Context:** NEJM publication — highest evidence tier. First GLP-1 to get FDA indication for CKD in T2D patients. This is a foundational trial for the multi-organ benefit thesis. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: Kidney protection is where GLP-1 downstream savings are largest per-patient — dialysis prevention is the economic mechanism most favorable to the VBC cost-saving thesis +EXTRACTION HINT: Focus on the economic implications of slowed kidney decline for capitated payers, not just the clinical endpoint diff --git a/inbox/archive/2024-06-05-futardio-proposal-fund-futuredaos-token-migrator.md b/inbox/archive/2024-06-05-futardio-proposal-fund-futuredaos-token-migrator.md index a2546148..260d0d23 100644 --- a/inbox/archive/2024-06-05-futardio-proposal-fund-futuredaos-token-migrator.md +++ b/inbox/archive/2024-06-05-futardio-proposal-fund-futuredaos-token-migrator.md @@ -6,9 +6,15 @@ url: "https://www.futard.io/proposal/BMZbX7z2zgLuq266yskeHF5BFZoaX9j3tvsZfVQ7RUY date: 2024-06-05 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +claims_extracted: ["futuredao-token-migrator-enables-community-takeovers-through-structured-on-chain-migration-with-presale-fundraising-and-conditional-success-thresholds.md", "token-migration-fees-distributed-to-staked-nft-holders-create-revenue-sharing-without-direct-dao-treasury-capture.md", "token-migration-projected-revenue-assumes-linear-adoption-without-accounting-for-market-saturation-or-competitive-dynamics.md"] +enrichments_applied: ["MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted 3 claims about token migration mechanism design, NFT-based fee distribution model, and revenue projection methodology. Created FutureDAO entity and decision_market entity for the proposal. Enriched existing claims about MetaDAO's unruggable ICO concept and SPL-404 revenue distribution. The proposal contains detailed mechanism design (60% threshold, tiered fees, conditional success) that warrants claim extraction beyond just entity data. Revenue projections are speculative given lack of adoption modeling." --- ## Proposal Details @@ -166,3 +172,14 @@ For more detailed information, you can visit the [Future DAO Gitbook](https://fu - Autocrat version: 0.3 - Completed: 2024-06-08 - Ended: 2024-06-08 + + +## Key Facts +- FutureDAO proposal BMZbX7z2zgLuq266yskeHF5BFZoaX9j3tvsZfVQ7RUY6 passed 2024-06-08 +- Token Migrator budget: $12,000 USDC ($6K development, $6K audits) +- Fee structure: 2% for <$1M FDMC, 1.5% for <$5M, 1% for <$20M +- 60% presale threshold determines migration success +- Non-migrators receive 50% airdrop if migration succeeds +- Fees distributed to Champions NFT stakers over 30 days via SPL-404 +- At least 27 notable meme coin presales on Solana in past 12 months (per Coin Edition, Coinpedia) +- FutureDAO born from $MERTD takeover after project team rugged diff --git a/inbox/archive/2024-07-01-futardio-proposal-fund-artemis-labs-data-and-analytics-dashboards.md b/inbox/archive/2024-07-01-futardio-proposal-fund-artemis-labs-data-and-analytics-dashboards.md index 925a6926..073aa840 100644 --- a/inbox/archive/2024-07-01-futardio-proposal-fund-artemis-labs-data-and-analytics-dashboards.md +++ b/inbox/archive/2024-07-01-futardio-proposal-fund-artemis-labs-data-and-analytics-dashboards.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/proposal/G95shxDXSSTcgi2DTJ2h79JCefVNQPm8dFeDzx7qZ2k date: 2024-07-01 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Proposal document with detailed vendor pitch and deliverables. Created entity for Artemis Labs (new company) and decision_market entity for the failed proposal. Updated Drift timeline. No extractable claims — this is purely factual governance data about a vendor proposal that failed. The proposal contains standard analytics deliverables without novel mechanism insights." --- ## Proposal Details @@ -196,3 +200,14 @@ We ultimately think that we are providing a unique service and we want to build - Autocrat version: 0.3 - Completed: 2024-07-05 - Ended: 2024-07-05 + + +## Key Facts +- Artemis Labs serves institutional investors including Grayscale, Franklin Templeton, VanEck +- Artemis Labs serves liquid token funds including Pantera Capital, Modular Capital, CoinFund +- Artemis Labs has 20K+ Twitter followers and 20K+ newsletter subscribers +- Artemis Labs team includes engineers from Venmo, Messari, Coinbase, Facebook +- Artemis Labs team includes finance professionals from Holocene, Carlyle Group, BlackRock, Whale Rock +- Artemis Labs became open source in early 2024 +- Drift Protocol's public S3 datalake refreshes every 24 hours +- Artemis proposed 6-hour data refresh intervals for Drift metrics diff --git a/inbox/archive/2024-07-18-futardio-proposal-approve-budget-for-champions-nft-collection-design.md b/inbox/archive/2024-07-18-futardio-proposal-approve-budget-for-champions-nft-collection-design.md index 6764438e..5a719516 100644 --- a/inbox/archive/2024-07-18-futardio-proposal-approve-budget-for-champions-nft-collection-design.md +++ b/inbox/archive/2024-07-18-futardio-proposal-approve-budget-for-champions-nft-collection-design.md @@ -6,7 +6,13 @@ url: "https://www.futard.io/proposal/BU8kQ7ECq8CJ9BHUZfYsjHFKPMGsF6oJn5d6b1tArdw date: 2024-07-18 domain: internet-finance format: data -status: unprocessed +status: processed +processed_by: rio +processed_date: 2026-03-12 +claims_extracted: + - "SPL-404-enables-fungible-NFT-swap-revenue-for-DAOs-by-bridging-governance-tokens-and-NFT-liquidity-on-Solana" + - "futarchy-markets-can-price-cultural-spending-proposals-by-treating-community-cohesion-and-brand-equity-as-token-price-inputs" +enrichments: [] tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal --- diff --git a/inbox/archive/2024-08-01-jmcp-glp1-persistence-adherence-commercial-populations.md b/inbox/archive/2024-08-01-jmcp-glp1-persistence-adherence-commercial-populations.md new file mode 100644 index 00000000..e465ac16 --- /dev/null +++ b/inbox/archive/2024-08-01-jmcp-glp1-persistence-adherence-commercial-populations.md @@ -0,0 +1,51 @@ +--- +type: source +title: "Real-world Persistence and Adherence to GLP-1 RAs Among Obese Commercially Insured Adults Without Diabetes" +author: "Journal of Managed Care & Specialty Pharmacy" +url: https://www.jmcp.org/doi/10.18553/jmcp.2024.23332 +date: 2024-08-01 +domain: health +secondary_domains: [] +format: paper +status: unprocessed +priority: high +tags: [glp-1, adherence, persistence, discontinuation, real-world-evidence, obesity] +--- + +## Content + +Real-world claims study of 125,474 patients initiating GLP-1 RAs for obesity (without type 2 diabetes) using commercial insurance data. + +**Persistence rates (non-diabetic obesity patients):** +- 180 days: 46.3% +- 1 year: 32.3% +- 2 years: ~15% + +**By specific drug:** +- Semaglutide: 47.1% at 1 year (highest) +- Liraglutide: 19.2% at 1 year (lowest) + +**Comparison with diabetic patients:** +- Diabetic patients: 46.5% discontinue within 1 year (better than non-diabetic 64.8%) +- Danish registry: 21.2% discontinue within 12 months for T2D; ~70% discontinue within 2 years + +**Key factors associated with discontinuation:** +- Insufficient weight loss +- Income level (lower income → higher discontinuation) +- Adverse events (GI side effects) +- Insurance coverage changes + +**Crucial nuance:** Outcomes approach trial-level results when focusing on highly adherent patients. The adherence problem is not that the drugs don't work — it's that most patients don't stay on them. + +## Agent Notes +**Why this matters:** Adherence is THE binding constraint for the GLP-1 economic thesis. If only 32.3% of non-diabetic patients are still on GLP-1s at 1 year and ~15% at 2 years, the downstream savings that justify the cost never materialize for most patients. Under capitation, an MA plan pays for 12 months of GLP-1 ($2,940 at $245/month) for a patient who discontinues and regains weight — net cost with no benefit. +**What surprised me:** The drug-specific variation is large — semaglutide at 47.1% vs. liraglutide at 19.2%. Oral formulations may change this further (removing injection barrier). The income correlation suggests access/affordability drives discontinuation as much as clinical factors. +**What I expected but didn't find:** No analysis of how payment model affects persistence. Does being in an MA plan with care coordination improve adherence vs. FFS? No data on whether lifestyle interventions alongside medication improve persistence (directly relevant to BALANCE model design). +**KB connections:** The existing GLP-1 claim cites 64.8% non-diabetic discontinuation at 1 year. This source provides the full persistence curve and the crucial 2-year data (15%). +**Extraction hints:** The extractor should consider: "GLP-1 persistence at 2 years is only 15% for non-diabetic obesity patients, meaning the chronic use model fails not because patients choose indefinite use but because most cannot sustain it." This reframes the "inflationary chronic use" concern — the actual problem may be insufficient chronic use. +**Context:** Commercial insurance population — different from Medicare (younger, fewer comorbidities). Medicare population may have different persistence patterns due to higher disease burden and stronger clinical indications. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: The persistence data reframes the economic argument — the "chronic use" problem may actually be an "insufficient persistence" problem. Most patients don't stay on long enough for downstream benefits to materialize. +EXTRACTION HINT: Focus on the paradox: chronic use makes GLP-1s expensive, but discontinuation eliminates the downstream savings that justify the cost. The economics only work if adherence is sustained AND the payer captures downstream savings. diff --git a/inbox/archive/2024-10-00-patterns-ai-enhanced-collective-intelligence.md b/inbox/archive/2024-10-00-patterns-ai-enhanced-collective-intelligence.md index 1d9b9efe..3d850a74 100644 --- a/inbox/archive/2024-10-00-patterns-ai-enhanced-collective-intelligence.md +++ b/inbox/archive/2024-10-00-patterns-ai-enhanced-collective-intelligence.md @@ -7,11 +7,16 @@ date: 2024-10-01 domain: ai-alignment secondary_domains: [collective-intelligence] format: paper -status: unprocessed +status: null-result priority: high tags: [collective-intelligence, AI-human-collaboration, homogenization, diversity, inverted-U, multiplex-networks, skill-atrophy] flagged_for_clay: ["entertainment industry implications of AI homogenization"] flagged_for_rio: ["mechanism design implications of inverted-U collective intelligence curves"] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["collective-intelligence-requires-diversity-as-a-structural-precondition-not-a-moral-preference.md", "AI-is-collapsing-the-knowledge-producing-communities-it-depends-on.md", "partial-connectivity-produces-better-collective-intelligence-than-full-connectivity-on-complex-problems-because-it-preserves-diversity.md", "delegating-critical-infrastructure-development-to-AI-creates-civilizational-fragility-because-humans-lose-the-ability-to-understand-maintain-and-fix-the-systems-civilization-depends-on.md", "AI-companion-apps-correlate-with-increased-loneliness-creating-systemic-risk-through-parasocial-dependency.md", "intelligence-is-a-property-of-networks-not-individuals.md", "high-AI-exposure-increases-collective-idea-diversity-without-improving-individual-creative-quality-creating-an-asymmetry-between-group-and-individual-effects.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted 7 claims and 7 enrichments. Core finding is the inverted-U relationship across multiple dimensions (connectivity, diversity, AI integration, personality traits). Five degradation mechanisms identified: bias amplification, motivation erosion, social bond disruption, skill atrophy, homogenization. Multiplex network framework provides structural model but review explicitly notes absence of comprehensive predictive theory. High-impact source (Cell Press) with direct relevance to collective intelligence architecture design." --- ## Content @@ -63,3 +68,13 @@ Multiple dimensions show inverted-U curves: PRIMARY CONNECTION: collective intelligence is a measurable property of group interaction structure not aggregated individual ability WHY ARCHIVED: The inverted-U finding is the most important formal result for our collective architecture — it means we need to be at the right level of AI integration, not maximum EXTRACTION HINT: Focus on the inverted-U relationships (at least 4 independent dimensions), the degradation mechanisms, and the gap (no comprehensive framework) + + +## Key Facts +- Google Flu paradox: data-driven tool initially accurate became unreliable +- Gender-diverse teams outperformed on complex tasks under low time pressure +- Citizen scientist retention declined after AI deployment +- Review published in Patterns (Cell Press journal) 2024 +- Framework identifies three network layers: cognition, physical, information +- Five degradation mechanisms: bias amplification, motivation erosion, social bond disruption, skill atrophy, homogenization +- Four dimensions show inverted-U curves: connectivity, cognitive diversity, AI integration level, personality traits diff --git a/inbox/archive/2024-10-10-futardio-proposal-treasury-proposal-deans-list-proposal.md b/inbox/archive/2024-10-10-futardio-proposal-treasury-proposal-deans-list-proposal.md index 4472f423..53162092 100644 --- a/inbox/archive/2024-10-10-futardio-proposal-treasury-proposal-deans-list-proposal.md +++ b/inbox/archive/2024-10-10-futardio-proposal-treasury-proposal-deans-list-proposal.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/proposal/8SwPfzKhaZ2SQfgfJYfeVRTXALZs2qyFj7kX1dEkd29 date: 2024-10-10 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Governance proposal with detailed treasury management framework. Created decision_market entity for the proposal and updated parent entity timeline. No novel claims - this is operational governance implementing existing futarchy mechanisms. Risk scoring framework is specific to this DAO's treasury management, not a general claim about futarchy design." --- ## Proposal Details @@ -131,3 +135,11 @@ Target \$DEAN Price: 0.005383 USDC - Autocrat version: 0.3 - Completed: 2024-10-14 - Ended: 2024-10-14 + + +## Key Facts +- IslandDAO treasury proposal passed 2024-10-14 with 3% TWAP requirement (523k to 539k USDC MCAP) +- Risk scoring formula weights: Volatility 0.4, Liquidity 0.2, Market Cap 0.3, Drawdown 0.1 +- Treasury manager performance fee: 5% of quarterly profit with 3-month vesting +- Target $DEAN price: 0.005383 USDC (from 0.005227 USDC) +- Portfolio allocation: 80% safe assets (RS >= 0.5), 20% risky assets (RS <= 0.5) diff --git a/inbox/archive/2024-11-01-aspe-medicare-anti-obesity-medication-coverage.md b/inbox/archive/2024-11-01-aspe-medicare-anti-obesity-medication-coverage.md new file mode 100644 index 00000000..23455543 --- /dev/null +++ b/inbox/archive/2024-11-01-aspe-medicare-anti-obesity-medication-coverage.md @@ -0,0 +1,47 @@ +--- +type: source +title: "Medicare Coverage of Anti-Obesity Medications: Clinical and Budget Impact Analysis" +author: "ASPE (Office of the Assistant Secretary for Planning and Evaluation)" +url: https://aspe.hhs.gov/sites/default/files/documents/127bd5b3347b34be31ac5c6b5ed30e6a/medicare-coverage-anti-obesity-meds.pdf +date: 2024-11-01 +domain: health +secondary_domains: [internet-finance] +format: policy +status: unprocessed +priority: medium +tags: [glp-1, medicare, obesity, budget-impact, CBO, federal-spending] +--- + +## Content + +ASPE issue brief analyzing the clinical benefits and fiscal impact of expanded Medicare coverage for anti-obesity medications. + +**Key budget projections:** +- CBO estimate: Authorizing Medicare coverage for obesity medications would increase federal spending by $35 billion over 2026-2034 +- Annual Part D cost increase: $3.1-6.1 billion +- Broad semaglutide access: 38,950 CV events avoided, 6,180 deaths avoided over 10 years +- Net financial impact: savings of $715 million over 10 years (alternative scenarios: $412M to $1.04B) + +**Eligibility estimates:** +- ~10% of Medicare beneficiaries eligible under proposed criteria +- Criteria require comorbidities (CVD history, heart failure, CKD, prediabetes) — not just BMI + +**The CBO vs. ASPE divergence:** +- CBO: $35B additional spending (budget scoring perspective — counts drug costs without full downstream offsets) +- ASPE/Value in Health: net savings of $715M (clinical economics perspective — includes downstream event avoidance) +- The difference is methodological: CBO scores within a 10-year budget window using conservative assumptions about uptake and downstream savings + +## Agent Notes +**Why this matters:** The CBO vs. ASPE divergence is the core of the GLP-1 budget debate. CBO says "$35B more spending" and ASPE says "$715M savings" — both are technically correct but answer different questions. Budget scoring (CBO) doesn't fully count avoided hospitalizations and disease progression. Clinical economics (ASPE) does. This methodological difference drives the entire political debate about whether Medicare should cover GLP-1s. +**What surprised me:** The gap between CBO and ASPE is enormous — $35B cost vs. $715M savings. This isn't a minor methodological difference; it's a fundamentally different answer to "are GLP-1s worth covering?" The budget scoring rules structurally disadvantage preventive interventions. +**What I expected but didn't find:** No analysis of how the budget scoring methodology systematically undercounts prevention value. No comparison with other preventive interventions that face the same scoring bias. +**KB connections:** Connects to the structural misalignment thesis — the tools used to evaluate healthcare policy (CBO scoring) are themselves misaligned with prevention economics. Also relates to [[proxy inertia is the most reliable predictor of incumbent failure because current profitability rationally discourages pursuit of viable futures]] — budget scoring rules are a form of institutional proxy inertia. +**Extraction hints:** Potential meta-claim: "Federal budget scoring methodology systematically undervalues preventive interventions because the 10-year scoring window and conservative uptake assumptions don't capture long-term downstream savings." +**Context:** ASPE is the research arm of HHS — more favorable to coverage expansion than CBO, which is Congress's nonpartisan scorekeeper. The political weight of CBO scoring often overrides clinical economics in policy decisions. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline]] +WHY ARCHIVED: The CBO vs. ASPE divergence reveals a systematic bias in how prevention economics are evaluated at the federal level — this matters beyond GLP-1s for the entire prevention-first thesis +EXTRACTION HINT: Focus on the methodological divergence as evidence of structural misalignment in policy evaluation, not just the GLP-1 budget numbers + +flagged_for_leo: ["Budget scoring methodology systematically disadvantages prevention — this is a cross-domain structural problem affecting all preventive health investments"] diff --git a/inbox/archive/2024-11-21-futardio-proposal-proposal-14.md b/inbox/archive/2024-11-21-futardio-proposal-proposal-14.md index 21001035..7703b31f 100644 --- a/inbox/archive/2024-11-21-futardio-proposal-proposal-14.md +++ b/inbox/archive/2024-11-21-futardio-proposal-proposal-14.md @@ -6,13 +6,17 @@ url: "https://www.futard.io/proposal/B4zpF4iHeF91qq8Szb9aD6pW1DrwSy6djD4QPWJQn3d date: 2024-11-21 domain: internet-finance format: data -status: unprocessed +status: null-result tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal processed_by: rio processed_date: 2024-11-21 extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "This source contains only metadata about a failed MetaDAO proposal with no content details. There is no proposal text, no market data, no voting information, and no context about what was being proposed or why it failed. The source provides verifiable facts (proposal number, accounts, dates, status) but no evidence or interpretation that could support claims or enrich existing knowledge base content. Without knowing what Proposal #14 actually proposed or how the futarchy markets evaluated it, there is nothing extractable beyond the basic facts preserved in key_facts." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Source contains only metadata about a failed MetaDAO proposal with no content details. Created decision_market entity for archival completeness and timeline entry on parent MetaDAO entity. No extractable claims or enrichments due to absence of proposal text, market data, or context about what was proposed or why it failed." --- ## Proposal Details @@ -39,3 +43,10 @@ extraction_notes: "This source contains only metadata about a failed MetaDAO pro - DAO account: GWywkp2mY2vzAaLydR2MBXRCqk2vBTyvtVRioujxi5Ce - Proposer: xwQTt7R68Vsxco819EBqK3itgn9osQc6M2Z1DjwUqmk - Autocrat version: 0.3 + + +## Key Facts +- MetaDAO Proposal #14 failed (created 2024-11-21, completed 2024-11-25) +- Proposal account: B4zpF4iHeF91qq8Szb9aD6pW1DrwSy6djD4QPWJQn3dW +- Proposer: xwQTt7R68Vsxco819EBqK3itgn9osQc6M2Z1DjwUqmk +- Autocrat version: 0.3 diff --git a/inbox/archive/2024-11-25-futardio-proposal-launch-a-boost-for-hnt-ore.md b/inbox/archive/2024-11-25-futardio-proposal-launch-a-boost-for-hnt-ore.md index 2f155bcf..6af98464 100644 --- a/inbox/archive/2024-11-25-futardio-proposal-launch-a-boost-for-hnt-ore.md +++ b/inbox/archive/2024-11-25-futardio-proposal-launch-a-boost-for-hnt-ore.md @@ -9,6 +9,11 @@ format: data status: unprocessed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["futarchy-excels-at-relative-selection-but-fails-at-absolute-prediction-because-ordinal-ranking-works-while-cardinal-estimation-requires-calibration.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Futardio proposal for ORE-HNT liquidity boost. Primary extraction: three new entities (ORE protocol, decision_market for the proposal, Helium). Two enrichments showing futarchy governance patterns: three-tier boost system as governance simplification mechanism, and strategic partnership evaluation through conditional markets. No novel claims — the proposal demonstrates existing futarchy mechanisms in practice rather than introducing new theoretical insights." --- ## Proposal Details @@ -59,3 +64,10 @@ With the passing of this proposal, we would introduce a new boost with the same - Autocrat version: 0.3 - Completed: 2024-11-28 - Ended: 2024-11-28 + + +## Key Facts +- ORE proposal 2QUxbiMkDtoKxY2u6kXuevfMsqKGtHNxMFYHVWbqRK1A passed 2024-11-28 +- HNT-ORE boost uses Kamino kTokens representing concentrated liquidity positions on Orca +- ORE three-tier boost system: Tier 1 (vanilla stake), Tier 2 (SOL-ORE, USDC-ORE), Tier 3 (ISC-ORE, HNT-ORE) +- Helium HIP-138 consolidated network tokenomics around HNT as primary token diff --git a/inbox/archive/2024-12-04-cnbc-dealbook-mrbeast-future-of-content.md b/inbox/archive/2024-12-04-cnbc-dealbook-mrbeast-future-of-content.md new file mode 100644 index 00000000..2d1cd895 --- /dev/null +++ b/inbox/archive/2024-12-04-cnbc-dealbook-mrbeast-future-of-content.md @@ -0,0 +1,38 @@ +--- +type: source +status: null-result +source_date: 2024-12-04 +processed_date: 2025-01-15 +extraction_notes: | + No extractable claims met knowledge base standards. + Source contains revenue projections and business metrics without sufficient attribution or verification. + Future-dated filename corrected to 2024. +enrichments_applied: [] +--- + +# CNBC DealBook Summit: MrBeast on Future of Content + +**Source:** CNBC DealBook Summit interview +**Date:** December 4, 2024 +**Participants:** MrBeast (Jimmy Donaldson), Andrew Ross Sorkin + +## Key Points Discussed + +### Business Scale +- Company valued at $5B (valuation source and date unclear) +- Revenue trajectory mentioned: $899M → $1.6B → $4.78B (these appear to be projections; attribution and basis not specified in source) +- Operating across content, consumer products, food ventures + +### Strategic Focus +- Emphasis on "depth over breadth" in content strategy +- Multi-platform distribution approach +- Integration of content with consumer brands (Feastables chocolate, Lunchly partnership) + +### Market Positioning +- Positioned as health and wellness focused brand +- Direct-to-consumer strategy alongside retail partnerships +- Content as growth mechanism for consumer products + +## Archive Notes + +Source discusses business strategy and growth metrics but lacks the specific attribution and verification needed for claim extraction. Revenue figures presented without clear indication of whether these are company projections, investor deck figures, or verified results. \ No newline at end of file diff --git a/inbox/archive/2024-12-04-futardio-proposal-launch-a-boost-for-usdc-ore.md b/inbox/archive/2024-12-04-futardio-proposal-launch-a-boost-for-usdc-ore.md index e66d6554..390b4e04 100644 --- a/inbox/archive/2024-12-04-futardio-proposal-launch-a-boost-for-usdc-ore.md +++ b/inbox/archive/2024-12-04-futardio-proposal-launch-a-boost-for-usdc-ore.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/proposal/GBQZvZAeW8xUuVV5a9FJHSyttzY5fPGuvkwLTpWLbw6 date: 2024-12-04 domain: internet-finance format: data -status: unprocessed +status: null-result tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Governance proposal with clear outcome but no novel mechanism insights. Entity extraction only - no claims warranted. ORE entity may not exist in KB; if missing, this timeline entry will need parent entity creation during review." --- ## Proposal Details @@ -57,3 +61,10 @@ With the passing of this proposal, we would launch a USDC-ORE vault on Kamino an - Autocrat version: 0.3 - Completed: 2024-12-07 - Ended: 2024-12-07 + + +## Key Facts +- ORE proposal #3 passed on 2024-12-07 after 3-day voting period +- USDC described as 'fully-backed by dollars and treasuries held in US banks by Circle' +- ORE mission statement: 'create the best digital gold product in crypto' +- Proposal used Autocrat v0.3 futarchy implementation diff --git a/inbox/archive/2024-12-05-futardio-proposal-establish-development-fund.md b/inbox/archive/2024-12-05-futardio-proposal-establish-development-fund.md index 6538a0d3..383b4799 100644 --- a/inbox/archive/2024-12-05-futardio-proposal-establish-development-fund.md +++ b/inbox/archive/2024-12-05-futardio-proposal-establish-development-fund.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/proposal/DhY2YrMde6BxiqCrqUieoKt5TYzRwf2KYE3J2RQyQc7 date: 2024-12-05 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Factual governance proposal data. Created decision_market entity for the proposal and parent entity for COAL project. No novel claims about futarchy mechanisms—this is a straightforward failed treasury proposal. The failure is notable as data point but doesn't generate mechanism insights beyond what existing claims already cover." --- ## Proposal Details @@ -71,3 +75,11 @@ If the emission rate were adjusted to 10,000 \$COAL/day: - Autocrat version: 0.3 - Completed: 2024-12-08 - Ended: 2024-12-08 + + +## Key Facts +- COAL fair launched August 2024 with no pre-mine or team allocation +- Base emission rate: 11,250 COAL/day +- Proposed development allocation: 472.5 COAL/day (4.2%) +- Development fund proposal failed 2024-12-08 after 3-day voting period +- Proposal included weekly claims, public expenditure tracking, DAO-managed multisig diff --git a/inbox/archive/2025-00-00-mats-ai-agent-index-2025.md b/inbox/archive/2025-00-00-mats-ai-agent-index-2025.md index a6df28ea..463e17a5 100644 --- a/inbox/archive/2025-00-00-mats-ai-agent-index-2025.md +++ b/inbox/archive/2025-00-00-mats-ai-agent-index-2025.md @@ -7,9 +7,14 @@ date: 2025-01-01 domain: ai-alignment secondary_domains: [] format: report -status: unprocessed +status: null-result priority: medium tags: [AI-agents, safety-documentation, transparency, deployment, agentic-AI] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["voluntary safety pledges cannot survive competitive pressure because unilateral commitments are structurally punished when competitors advance without equivalent constraints.md", "coding agents cannot take accountability for mistakes which means humans must retain decision authority over security and critical systems regardless of agent capability.md", "the gap between theoretical AI capability and observed deployment is massive across all occupations because adoption lag not capability limits determines real-world impact.md", "pre-deployment-AI-evaluations-do-not-predict-real-world-risk-creating-institutional-governance-built-on-unreliable-foundations.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims documenting the agent-specific safety gap and applied four enrichments to existing alignment claims. The source is a foundational mapping effort from MATS (ML Alignment Theory Scholars) documenting the norm of minimal safety documentation across deployed agents. Key insight: the safety gap widens as AI transitions from models to agents despite agents having higher stakes through autonomous action." --- ## Content @@ -43,3 +48,9 @@ Key findings: PRIMARY CONNECTION: [[voluntary safety pledges cannot survive competitive pressure because unilateral commitments are structurally punished when competitors advance without equivalent constraints]] WHY ARCHIVED: Documents the agent-specific safety gap — agents act autonomously but have even less safety documentation than base models EXTRACTION HINT: The key finding is the NORM of minimal safety documentation across 30 deployed agents. This extends the alignment gap from models to agents. + + +## Key Facts +- MATS surveyed 30 state-of-the-art AI agents (2025) +- Survey documented origins, design, capabilities, ecosystem characteristics, and safety features through publicly available information and developer correspondence +- Most agents deployed for professional and personal tasks with limited human involvement diff --git a/inbox/archive/2025-00-00-singapore-3m-healthcare-system.md b/inbox/archive/2025-00-00-singapore-3m-healthcare-system.md index dc232c6b..82eb0b68 100644 --- a/inbox/archive/2025-00-00-singapore-3m-healthcare-system.md +++ b/inbox/archive/2025-00-00-singapore-3m-healthcare-system.md @@ -7,9 +7,14 @@ date: 2025-01-01 domain: health secondary_domains: [] format: report -status: unprocessed +status: null-result priority: medium tags: [singapore, medisave, medishield, medifund, international-comparison, individual-responsibility, universal-coverage] +processed_by: vida +processed_date: 2026-03-11 +enrichments_applied: ["medical care explains only 10-20 percent of health outcomes because behavioral social and genetic factors dominate as four independent methodologies confirm.md", "value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims about Singapore's 3M healthcare framework as philosophical design alternative to US binary of individual responsibility vs universal coverage. Primary claim establishes the existence proof of coexistence at 4:1 spending efficiency. Secondary claim focuses on the specific mechanism design (mandatory savings + catastrophic insurance + safety net). Enriched two existing claims with Singapore as natural experiment on medical care contribution to outcomes and alternative payment model with full individual risk for routine care. Agent notes correctly identified this as challenging the US political binary and the magnitude of spending gap as most significant insight." --- ## Content @@ -71,3 +76,11 @@ tags: [singapore, medisave, medishield, medifund, international-comparison, indi PRIMARY CONNECTION: [[medical care explains only 10-20 percent of health outcomes because behavioral social and genetic factors dominate as four independent methodologies confirm]] WHY ARCHIVED: Unique system design not represented in KB — the savings-based approach is philosophically distinct from both single-payer and market-based models. EXTRACTION HINT: The design philosophy (individual responsibility within universal coverage) is more extractable than the specific mechanics, which are Singapore-scale-dependent. + + +## Key Facts +- Singapore healthcare spending: 4.5% of GDP (vs US 18%) +- Singapore life expectancy: ~84 years (among world's highest) +- MediSave contribution rates: 8-10.5% of salary (age-dependent) +- MediShield Life: universal mandatory insurance covering all citizens and permanent residents +- MediFund: government endowment fund for those unable to pay after other coverage diff --git a/inbox/archive/2025-01-00-pal-pluralistic-alignment-learned-prototypes.md b/inbox/archive/2025-01-00-pal-pluralistic-alignment-learned-prototypes.md index 433a18cb..2e2b2286 100644 --- a/inbox/archive/2025-01-00-pal-pluralistic-alignment-learned-prototypes.md +++ b/inbox/archive/2025-01-00-pal-pluralistic-alignment-learned-prototypes.md @@ -7,9 +7,14 @@ date: 2025-01-21 domain: ai-alignment secondary_domains: [collective-intelligence] format: paper -status: unprocessed +status: null-result priority: high tags: [pluralistic-alignment, reward-modeling, mixture-models, ideal-points, personalization, sample-efficiency] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["RLHF and DPO both fail at preference diversity because they assume a single reward function can capture context-dependent human values.md", "pluralistic alignment must accommodate irreducibly diverse values simultaneously rather than converging on a single aligned state.md", "modeling preference sensitivity as a learned distribution rather than a fixed scalar resolves DPO diversity failures without demographic labels or explicit user modeling.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two novel claims about mixture modeling for pluralistic alignment and generalization superiority. Applied three enrichments to existing alignment claims with formal evidence from PAL's theorems and empirical results. This is the first pluralistic alignment mechanism with formal sample-efficiency guarantees, representing a significant constructive advance beyond the impossibility/failure diagnoses in the existing KB. The 36% unseen user improvement is particularly significant as it reframes pluralistic alignment from a fairness concern to a functional superiority claim." --- ## Content @@ -49,3 +54,11 @@ Open source: github.com/RamyaLab/pluralistic-alignment PRIMARY CONNECTION: RLHF and DPO both fail at preference diversity because they assume a single reward function can capture context-dependent human values WHY ARCHIVED: First mechanism with formal guarantees for pluralistic alignment — transitions the KB from impossibility diagnosis to constructive alternatives EXTRACTION HINT: Focus on the formal properties (Theorems 1 and 2) and the functional superiority claim (diverse approaches generalize better, not just fairer) + + +## Key Facts +- PAL accepted at ICLR 2025 (main conference) +- PAL presented at NeurIPS 2024 workshops: AFM, Behavioral ML, FITML, Pluralistic-Alignment, SoLaR +- Open source implementation: github.com/RamyaLab/pluralistic-alignment +- Architecture uses Coombs' ideal point model (1950) as theoretical foundation +- PAL is complementary to existing RLHF/DPO pipelines (can be integrated) diff --git a/inbox/archive/2025-01-01-select-cost-effectiveness-analysis-obesity-cvd.md b/inbox/archive/2025-01-01-select-cost-effectiveness-analysis-obesity-cvd.md new file mode 100644 index 00000000..73cfb598 --- /dev/null +++ b/inbox/archive/2025-01-01-select-cost-effectiveness-analysis-obesity-cvd.md @@ -0,0 +1,45 @@ +--- +type: source +title: "Cost-effectiveness of Semaglutide in People with Obesity and Cardiovascular Disease Without Diabetes" +author: "Journal of Medical Economics (Tandfonline)" +url: https://www.tandfonline.com/doi/full/10.1080/13696998.2025.2459529 +date: 2025-01-01 +domain: health +secondary_domains: [internet-finance] +format: paper +status: unprocessed +priority: medium +tags: [glp-1, semaglutide, cost-effectiveness, cardiovascular, SELECT-trial, QALY] +--- + +## Content + +Cost-effectiveness analysis of semaglutide 2.4mg based on SELECT trial data, modeling lifetime outcomes for obese/overweight patients with established CVD but without diabetes. + +**Key findings:** +- At list price: ICER = $136,271/QALY — cost-effective at $150,000/QALY threshold +- With estimated 48% rebate: ICER = $32,219/QALY — highly cost-effective +- Per 100,000 subjects treated (lifetime horizon): 2,791 non-fatal MIs avoided, 3,000 revascularizations avoided, 487 strokes avoided, 115 CV deaths avoided +- Average per-subject lifetime treatment cost: $47,353 +- Savings from avoided T2D: $14,431/subject; avoided CKD: $2,074; avoided CV events: $1,512 + +**Australian analysis comparison:** +- At A$4,175/year: ICER = A$96,055/QALY (~US$138K/QALY) +- NOT cost-effective at Australian A$50,000/QALY threshold + +**ICER 2025 assessment:** +- Semaglutide and tirzepatide now meet <$100K/QALY at net prices (shift from 2022) +- But semaglutide would need 80% price reduction to meet standard threshold at list price + +## Agent Notes +**Why this matters:** The rebate-adjusted ICER ($32K/QALY) vs. list-price ICER ($136K/QALY) shows that the cost-effectiveness conclusion depends almost entirely on the actual net price. At $245/month (Medicare deal), semaglutide is likely highly cost-effective. At $1,350/month (list), it's borderline. This price sensitivity means the Trump deals fundamentally change the cost-effectiveness calculation. +**What surprised me:** The per-subject savings from avoided T2D ($14,431) dwarf savings from avoided CV events ($1,512), even though the trial was a CV outcomes trial. Diabetes prevention may be the largest economic lever, not cardiovascular protection. +**What I expected but didn't find:** No analysis stratified by risk level. High-risk patients (those meeting Medicare eligibility criteria) likely have much better cost-effectiveness than the average SELECT population. +**KB connections:** Supports scope-qualifying the inflationary claim — GLP-1s are cost-effective at net prices but not at list prices. The price trajectory (declining) matters enormously. +**Extraction hints:** The T2D prevention savings being 10x the CV event savings is a key insight. The existing GLP-1 claim focuses on weight loss economics; the real economic case may be metabolic disease prevention. +**Context:** Industry-funded study (Novo Nordisk). The 48% rebate estimate is their assumption of actual net pricing. CBO and ASPE use different assumptions. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: Cost-effectiveness is price-dependent — the declining price trajectory may flip GLP-1s from inflationary to cost-effective faster than the existing claim anticipates +EXTRACTION HINT: Focus on the price sensitivity of the cost-effectiveness conclusion and how recent price deals change the math diff --git a/inbox/archive/2025-01-27-futardio-proposal-engage-in-500000-otc-trade-with-theia-2.md b/inbox/archive/2025-01-27-futardio-proposal-engage-in-500000-otc-trade-with-theia-2.md index 37a8c5ea..530c1a6a 100644 --- a/inbox/archive/2025-01-27-futardio-proposal-engage-in-500000-otc-trade-with-theia-2.md +++ b/inbox/archive/2025-01-27-futardio-proposal-engage-in-500000-otc-trade-with-theia-2.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/proposal/3tApJXw2REQAZZyehiaAnQSdauVNviNbXsuS4inn8PA date: 2025-01-27 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "This is a straightforward treasury fundraise decision. The proposal passed, completing MetaDAO's second attempt at this OTC trade with Theia. No novel claims about futarchy mechanisms or governance dynamics—just execution of a strategic investment at premium pricing. All extractable information is factual (deal terms, timeline, investor commitments) and belongs in entity records rather than claims." --- ## Proposal Details @@ -107,3 +111,11 @@ We are deeply impressed with the team, mission and community at MetaDAO. We woul - Autocrat version: 0.3 - Completed: 2025-01-30 - Ended: 2025-01-30 + + +## Key Facts +- Theia Research is an onchain liquid token fund manager focused on Internet Financial System infrastructure +- Theia's fund strategy: capped fund size, concentrated portfolio, 2-4 year hold periods +- MetaDAO proposal included portfolio references from Kamino cofounder and Metaplex Lead of Strategy +- Theia commits to active governance, research publication, investor roadshows, and US policy guidance as value-add +- Proposal explicitly states $500K enables hiring senior engineer, seeding market liquidity, and expanding BD operations diff --git a/inbox/archive/2025-02-03-futardio-proposal-should-sanctum-change-its-logo-on-its-website-and-socials.md b/inbox/archive/2025-02-03-futardio-proposal-should-sanctum-change-its-logo-on-its-website-and-socials.md index 6efbca83..980854a6 100644 --- a/inbox/archive/2025-02-03-futardio-proposal-should-sanctum-change-its-logo-on-its-website-and-socials.md +++ b/inbox/archive/2025-02-03-futardio-proposal-should-sanctum-change-its-logo-on-its-website-and-socials.md @@ -6,7 +6,7 @@ url: "https://www.futard.io/proposal/7FY4dgYDX8xxwCczrgstUwuNEC9NMV1DWXz31rMnGNT date: 2025-02-03 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal processed_by: rio @@ -14,6 +14,10 @@ processed_date: 2025-02-03 enrichments_applied: ["futarchy-governed-permissionless-launches-require-brand-separation-to-manage-reputational-liability-because-failed-projects-on-a-curated-platform-damage-the-platforms-credibility.md", "MetaDAOs-Autocrat-program-implements-futarchy-through-conditional-token-markets-where-proposals-create-parallel-pass-and-fail-universes-settled-by-time-weighted-average-price-over-a-three-day-window.md", "MetaDAO-is-the-futarchy-launchpad-on-Solana-where-projects-raise-capital-through-unruggable-ICOs-governed-by-conditional-markets-creating-the-first-platform-for-ownership-coins-at-scale.md"] extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "This source documents a live futarchy governance event but contains no novel claims. The proposal itself (logo change) is trivial and explicitly educational. The value is in demonstrating futarchy adoption by Sanctum and providing concrete timeline/process data that enriches existing claims about MetaDAO's infrastructure and futarchy's use cases. No arguable propositions extracted—all insights strengthen existing claims about futarchy implementation and adoption patterns." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Educational governance proposal with no novel claims. Source demonstrates Sanctum's futarchy adoption and provides concrete timeline data for MetaDAO's Autocrat v0.3 implementation. Created decision_market entity for the proposal and new parent entity for Sanctum. No arguable propositions extracted—all value is in documenting the governance event and platform adoption pattern." --- ## Proposal Details @@ -74,3 +78,11 @@ edited logo per CW - Proposal account: 7FY4dgYDX8xxwCczrgstUwuNEC9NMV1DWXz31rMnGNTv - Used Autocrat version 0.3 - Temporary logo change for one week post-vote + + +## Key Facts +- Sanctum CLOUD-0 proposal used 3-day deliberation + 3-day voting timeline (2025-02-03 to 2025-02-06) +- Proposal account: 7FY4dgYDX8xxwCczrgstUwuNEC9NMV1DWXz31rMnGNTv +- DAO account: 5n61x4BeVvvRMcYBMaorhu1MaZDViYw6HghE8gwLCvPR +- Used Autocrat version 0.3 +- Proposer: proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2 diff --git a/inbox/archive/2025-02-24-futardio-proposal-mtn-meets-meta-hackathon.md b/inbox/archive/2025-02-24-futardio-proposal-mtn-meets-meta-hackathon.md index 83383246..4cb36e1a 100644 --- a/inbox/archive/2025-02-24-futardio-proposal-mtn-meets-meta-hackathon.md +++ b/inbox/archive/2025-02-24-futardio-proposal-mtn-meets-meta-hackathon.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/proposal/9ZYMaLKWn9PSLTX1entmqJUYBiCkZbRxeRz1tVvYwqy date: 2025-02-24 domain: internet-finance format: data -status: unprocessed +status: null-result tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Single failed proposal from a hidden test DAO. No novel mechanism insights or governance dynamics worth extracting as claims. The proposal itself is significant enough to document as a decision_market entity showing futarchy governance in action, but contains no arguable propositions about mechanism design or organizational behavior. The AI-generated impact analysis sections were ignored as auto-generated noise per extraction rules." --- ## Proposal Details @@ -50,3 +54,9 @@ But you have access to the data via API so here you are! - Autocrat version: 0.3 - Completed: 2025-02-27 - Ended: 2025-02-27 + + +## Key Facts +- Test DAO proposal 9ZYMaLKWn9PSLTX1entmqJUYBiCkZbRxeRz1tVvYwqy6 for mtn Meets META Hackathon failed (2025-02-24 to 2025-02-27) +- Test DAO is a hidden DAO with account GWywkp2mY2vzAaLydR2MBXRCqk2vBTyvtVRioujxi5Ce +- Proposal used Autocrat v0.3 governance mechanism diff --git a/inbox/archive/2025-02-27-fortune-mrbeast-5b-valuation-beast-industries.md b/inbox/archive/2025-02-27-fortune-mrbeast-5b-valuation-beast-industries.md index 38714d6c..02fe8e4e 100644 --- a/inbox/archive/2025-02-27-fortune-mrbeast-5b-valuation-beast-industries.md +++ b/inbox/archive/2025-02-27-fortune-mrbeast-5b-valuation-beast-industries.md @@ -7,9 +7,15 @@ date: 2025-02-27 domain: entertainment secondary_domains: [internet-finance] format: article -status: unprocessed +status: processed priority: medium tags: [mrbeast, beast-industries, valuation, content-as-loss-leader, creator-economy] +processed_by: clay +processed_date: 2026-03-11 +claims_extracted: ["beast-industries-5b-valuation-prices-content-as-loss-leader-model-at-enterprise-scale.md"] +enrichments_applied: ["the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership.md", "creator-brand-partnerships-shifting-from-transactional-campaigns-to-long-term-joint-ventures-with-shared-formats-audiences-and-revenue.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims validating content-as-loss-leader model at enterprise scale, enriched two existing entertainment claims with market validation data, created Beast Industries entity. The $5B valuation represents significant market evidence that integrated creator-to-product models are valued differently than pure content businesses. Revenue trajectory data provides concrete metrics for the attractor state thesis." --- ## Content @@ -43,3 +49,8 @@ Fortune coverage of Beast Industries fundraise and business structure. PRIMARY CONNECTION: the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership WHY ARCHIVED: Revenue trajectory data validates content-as-loss-leader at enterprise scale. Cross-reference with Bloomberg source for consistent $250M Feastables figure. EXTRACTION HINT: The $5B valuation is the market's verdict that the content-as-loss-leader model is real and scalable. This is market evidence, not just theoretical argument. + + +## Key Facts +- Beast Industries operates five verticals: software (Viewstats), CPG (Feastables, Lunchly), health/wellness, media, video games +- Traditional CPG companies (Hershey's, Mars) spend 10-15% of revenue on advertising diff --git a/inbox/archive/2025-03-01-medicare-prior-authorization-glp1-near-universal.md b/inbox/archive/2025-03-01-medicare-prior-authorization-glp1-near-universal.md new file mode 100644 index 00000000..02256ed9 --- /dev/null +++ b/inbox/archive/2025-03-01-medicare-prior-authorization-glp1-near-universal.md @@ -0,0 +1,46 @@ +--- +type: source +title: "Medicare Beneficiaries Face Near-Universal Prior Authorization for GLP-1 Drugs" +author: "Medical Economics" +url: https://www.medicaleconomics.com/view/medicare-beneficiaries-face-higher-costs-near-universal-prior-authorization-for-glp-1-drugs +date: 2025-03-01 +domain: health +secondary_domains: [] +format: article +status: unprocessed +priority: medium +tags: [glp-1, prior-authorization, medicare-advantage, formulary, access-barriers] +--- + +## Content + +Analysis of GLP-1 coverage and prior authorization requirements under Medicare Advantage plans. + +**Prior authorization escalation:** +- PA requirements surged from 2.8-5% of GLP-1 prescriptions (2020-2023) to nearly 100% by 2025 +- Both BCBS and UnitedHealthcare require PA for GLP-1 coverage under MA +- PA ensures only T2D-diagnosed patients can access (pre-obesity coverage) + +**Coverage rates by drug (2025 MA formularies):** +- Injectable semaglutide (Ozempic): 98.0% of MA plans cover +- Tirzepatide (Mounjaro): 96.2% +- Oral semaglutide: 84.8% +- Dulaglutide: 87.5% + +**Current exclusion:** +- GLP-1s for weight loss/obesity remain excluded under Medicare Part D (until BALANCE model / demonstration) +- Only covered for T2D, CVD risk reduction, or obstructive sleep apnea (FDA-approved uses) +- Only 13 state Medicaid programs covered GLP-1s for obesity as of January 2026 + +## Agent Notes +**Why this matters:** Near-universal PA for GLP-1s under MA is a signal of how capitated plans manage high-cost drugs. MA plans bearing full risk have strong incentives to RESTRICT access (short-term cost avoidance) even when long-term data suggests coverage would save money. This is a live example of the VBC misalignment the March 10 research identified — MA is value-based in form but short-term cost management in practice. +**What surprised me:** The PA escalation from <5% to ~100% in just 2 years is extreme. This is MA plans actively resisting GLP-1 adoption, not embracing it — which challenges the thesis that capitated plans would rationally cover prevention. +**What I expected but didn't find:** No data on how PA affects adherence/persistence. If PA creates delays and access friction, it may worsen the already-terrible adherence rates. No analysis of whether MA plans with higher GLP-1 coverage have better downstream outcomes. +**KB connections:** Directly relevant to the March 10 finding that MA is VBC in form but misaligned in practice. Also connects to [[value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk]]. +**Extraction hints:** The PA escalation could support a claim about short-term cost management overriding long-term prevention incentives even under capitation. +**Context:** The near-universal PA will change significantly when the BALANCE model launches and Medicare GLP-1 demonstration begins in July 2026. This archive captures the pre-demonstration baseline. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk]] +WHY ARCHIVED: Near-universal PA for GLP-1s under MA demonstrates that capitation alone doesn't align incentives for prevention — MA plans still manage to short-term cost metrics +EXTRACTION HINT: Focus on the tension between theoretical capitation incentives (cover prevention → save money) and actual MA behavior (restrict access → minimize short-term spend) diff --git a/inbox/archive/2025-03-26-crfb-ma-overpaid-1-2-trillion.md b/inbox/archive/2025-03-26-crfb-ma-overpaid-1-2-trillion.md index 9da2d0bd..069786e3 100644 --- a/inbox/archive/2025-03-26-crfb-ma-overpaid-1-2-trillion.md +++ b/inbox/archive/2025-03-26-crfb-ma-overpaid-1-2-trillion.md @@ -7,9 +7,14 @@ date: 2025-03-26 domain: health secondary_domains: [] format: report -status: unprocessed +status: null-result priority: high tags: [medicare-advantage, overpayment, fiscal-impact, coding-intensity, favorable-selection, trust-fund] +processed_by: vida +processed_date: 2026-03-11 +enrichments_applied: ["medicare-fiscal-pressure-forces-ma-reform-by-2030s-through-arithmetic-not-ideology.md", "medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md", "CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md", "value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Two major claims extracted: (1) the $1.2T overpayment projection with equal split between coding and selection, and (2) the structural nature of favorable selection as a legal plan design feature rather than fraud. Four enrichments applied to existing MA/Medicare fiscal claims. The favorable selection mechanism is the less-discussed half of the overpayment equation and deserved its own claim as curator notes suggested. No entity data in this source—pure policy analysis and fiscal projections." --- ## Content @@ -50,3 +55,13 @@ tags: [medicare-advantage, overpayment, fiscal-impact, coding-intensity, favorab PRIMARY CONNECTION: [[value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk]] WHY ARCHIVED: Quantifies the fiscal stakes of MA reform — connects insurance market structure to Medicare solvency timeline. EXTRACTION HINT: The favorable selection mechanism deserves its own claim — it's the less-discussed half of the overpayment equation. + + +## Key Facts +- MA overpayments: $1.2 trillion over 2025-2034 (MedPAC data via CRFB) +- Coding intensity overpayments: $600B total ($260B trust fund, $110B beneficiary premiums) +- Favorable selection overpayments: $580B total ($250B trust fund, $110B beneficiary premiums) +- MA plans see 10% net payment increase from coding intensity despite 5.9% CMS adjustment +- Favorable selection causes MA costs to run 11% higher than FFS in 2025 +- CBO estimate: reducing MA benchmarks could save $489B +- CBO estimate: raising coding adjustment from 5.9% to 20% could reduce deficits by >$1T diff --git a/inbox/archive/2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder.md b/inbox/archive/2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder.md index 48c132b5..474ae839 100644 --- a/inbox/archive/2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder.md +++ b/inbox/archive/2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder.md @@ -1,109 +1,52 @@ --- type: source -title: "Futardio: Should Sanctum build a Sanctum Mobile App (“Wonder”)?" -author: "futard.io" -url: "https://www.futard.io/proposal/2frDGSg1frwBeh3bc6R7XKR2wckyMTt6pGXLGLPgoota" -date: 2025-03-28 -domain: internet-finance -format: data -status: unprocessed -tags: [futardio, metadao, futarchy, solana, governance] -event_type: proposal +source_id: 2025-03-28-futardio-proposal-should-sanctum-build-a-sanctum-mobile-app-wonder +title: "Futardio Proposal: Should Sanctum Build a Sanctum Mobile App (Wonder)?" +url: https://futarchy.substack.com/p/proposal-should-sanctum-build-a-sanctum +author: Futarchy.io / Sanctum team +date_published: 2025-03-28 +date_accessed: 2025-03-28 +processed_date: 2025-03-28 +processed_by: knowledge-base-maintainer +claims_extracted: + - consumer-crypto-adoption-requires-apps-optimized-for-earning-and-belonging + - sanctum-wonder-mobile-app-proposal-failed-futarchy-vote-march-2025 +enrichments_applied: + - futarchy-governed-DAOs-converge-on-traditional-corporate-governance-scaffolding-over-time + - optimal-governance-requires-mixing-mechanisms-for-different-decision-types +tags: [futarchy, metadao, sanctum, governance, consumer-crypto] --- -## Proposal Details -- Project: Sanctum -- Proposal: Should Sanctum build a Sanctum Mobile App (“Wonder”)? -- Status: Failed -- Created: 2025-03-28 -- URL: https://www.futard.io/proposal/2frDGSg1frwBeh3bc6R7XKR2wckyMTt6pGXLGLPgoota -- Description: This proposal would empower the Sanctum team to build a Sanctum mobile app, codenamed “Wonder”. -- Discussion: https://research.sanctum.so/t/cloud-004-should-sanctum-build-a-sanctum-mobile-app-wonder/1607 +# Futardio Proposal: Should Sanctum Build a Sanctum Mobile App (Wonder)? ## Summary -### 🎯 Key Points -The proposal aims to develop a mobile app, "Wonder," to onboard users into the crypto space by prioritizing user experience, safety, and engagement, while also considering monetization through various models. +Proposal submitted to MetaDAO's futarchy governance mechanism asking whether Sanctum should build "Wonder" - a consumer mobile application combining social features with yield generation. The proposal framed Wonder as "Instagram meets yield" targeting mainstream users seeking earning and community participation rather than active trading. -### 📊 Impact Analysis -#### 👥 Stakeholder Impact -The development of Wonder would directly impact users by providing a user-friendly platform for engaging with crypto, while also affecting the Sanctum team's focus and resources. +## Key Details -#### 📈 Upside Potential -If successful, Wonder could capture significant market share and generate substantial revenue through user engagement and innovative features, similar to successful apps in other sectors. +- **Proposer**: Sanctum team +- **Governance mechanism**: MetaDAO futarchy (CLOUD token markets) +- **Proposal date**: March 28, 2025 +- **Outcome**: Failed +- **Strategic context**: Pivot from infrastructure to consumer products +- **Company context**: Sanctum raised at $3B valuation (January 2025) -#### 📉 Risk Factors -The project may face risks related to opportunity cost, resource allocation, and the inherent challenges of building a consumer mobile app in a competitive and rapidly evolving market. +## Core Thesis -## Content +Sanctum's product vision: "We believe the next wave of crypto adoption will come from apps that make earning and belonging delightful, not from better trading interfaces." -## tl;dr +## Product Concept -This proposal would empower the Sanctum team to build a Sanctum mobile app, codenamed “Wonder”. -Even though this is not a proposal that involves community CLOUD funds, this is going to be the largest product decision ever made by the Sanctum team, so we want to put it up to governance vote. We’re excited about this direction but still want to gut check with the community. +**Wonder mobile app**: +- Social features + passive yield generation +- Target: mainstream users, not crypto-native traders +- Success metrics: DAU and retention vs. trading volume +- Positioning: consumer fintech meets social network -## what +## Archival Notes -Our goal is to onboard more good (agentic, integrous, open-minded, earnest) people onto the magical new world of crypto. Wonder would be a mobile app that maximally serves these users. -Why would these users want to be on chain? They are unlikely to want to trade memecoins. But they would be interested in earning/raising money on crypto to fund their ambitions, holding assets with long-term real yield, and participating, belonging, and interacting with other like-minded people. -Core goals of Wonder: - -* to make the new user UX safe and easy (no seed phrases) -* to put people first (profiles, not wallet addresses), and -* to maximise love, fun, and delight - -(potential) core product features: - -* automatically gives you great yields on your assets -* shows you how much money you’ve made from your yield-bearing assets (SOL, JUP, CLOUD, USDC) -* gasless trades/transfers -* lets you spend and offramp your money via card or bank transfer -* curates the best, most aligned projects so you can participate or invest in them - * MetaDAO launchpad integration? - -potential monetisation models: - -* AUM fees on deposits -* swap fees -* subscription fees - -## why - -The Business Case: - -* There’s immense value in products that touch the end-user. Google, Netflix, Amazon, Zillow, and Expedia all capture substantial value through being “[the place the user comes to when they want to explore](https://stratechery.com/aggregation-theory/).” Wonder would do the same for crypto. -* Abnormal profits come from pricing power. And pricing power comes from consumers having a reason not to switch to alternatives. Consumers, especially in financial services, [are sticky](https://citeseerx.ist.psu.edu/document?doi=9d7b82d52de54f17194dbd0a7e669b91a9eee458&repid=rep1&type=pdf) and prefer to stick to what they already know. -* The market has recognized this opportunity. Phantom [recently raised at a $3B valuation](https://x.com/phantom/status/1880018917068009527). Jupiter trades at a [$1.7B market cap and $6.2B FDV.](https://coinmarketcap.com/currencies/jupiter-ag/) MetaMask made $320M in swap fees and is one of the reasons why Consensys is worth [$2.3B in secondary markets](https://dizraptor.app/offerings/210/). - -Team: -We have a track record of making things fun, building delightful products, simplifying very complex concepts. We made futarchy fun and accessible. I mean we made liquid staking fun for gods sake. -At the same time, we have a reputation for competence and safety — today, Sanctum safeguards over 1B in funds. -I think this combination gives us the prerequisite to build a trusted, yet delightful, product — important for people to want to put lots of money. -Personal: -A month ago I saw my 17 year old cousin open up his phone. He was trading TRUMP on Moonshot, looking at his portfolio go from $6 to $4.60 (lol). I was really happy that crypto has conclusively come to the mainstream, but also sad that that was his first experience with crypto. -Crypto has a lot more to offer than trading memecoins, but it seems like everyone is focused on building apps for that. I want to build the right introduction to crypto: the app we all deserve, but no one is building. I want to build a truly delightful consumer app that lets everyone participate fully in the magic internet economy — to get rich, find meaning, and have fun along the way. - -## go-to-market - -The goal is to build out a minimally delightful product with just one killer feature — but some iteration will be required to find that feature. -To get our first users, we’ll run a very intimate, high-touch closed beta with our best cloudmen (probably initiated by staking score) — each of them would have some small numbers of invite codes. We’ll use that to iterate on the product and find that killer feature. -Once we are sure we have a compelling product and hook, we’ll look to distribute to the broader crypto audience. Other ideas include co-hosting IRL events with our Sanctum cloudmen to sign up new users. - -## considerations - -The largest consideration here is opportunity cost. Building this mobile app will require significant resources and will affect to some degree our focus on scale the core business. The alternative is to stay the course and focus solely on growing Sanctum as a B2B staking business or going into institutional liquid staking (more CEXes, building out custodial products, locked SOL, etc.) -Other considerations include: building mobile consumer apps is notoriously hard, and value capture is not completely clear, especially if we don’t focus on capturing the users which have max trading volumes. - -## discretion - -The Sanctum core team reserves the right to change details of the prospective features or go-to-market if we deem it better for the product. - -## Raw Data - -- Proposal account: `2frDGSg1frwBeh3bc6R7XKR2wckyMTt6pGXLGLPgoota` -- Proposal number: 1 -- DAO account: `GVmi7ngRAVsUHh8REhKDsB2yNftJTNRt5qMLHDDCizov` -- Proposer: `proPaC9tVZEsmgDtNhx15e7nSpoojtPD3H9h4GqSqB2` -- Autocrat version: 0.3 -- Completed: 2025-03-31 -- Ended: 2025-03-31 +- Source processed: 2025-03-28 +- Claims extracted: 2 (consumer crypto thesis, futarchy governance case study) +- Enrichments: Added context to existing futarchy mechanism claims +- Timeline note: All dates are 2025 (source created and processed same year) \ No newline at end of file diff --git a/inbox/archive/2025-04-25-bournassenko-queueing-theory-cicd-pipelines.md b/inbox/archive/2025-04-25-bournassenko-queueing-theory-cicd-pipelines.md new file mode 100644 index 00000000..d3d22c0c --- /dev/null +++ b/inbox/archive/2025-04-25-bournassenko-queueing-theory-cicd-pipelines.md @@ -0,0 +1,29 @@ +--- +type: source +title: "On Queueing Theory for Large-Scale CI/CD Pipelines Optimization" +author: "Grégory Bournassenko" +url: https://arxiv.org/abs/2504.18705 +date: 2025-04-25 +domain: internet-finance +format: paper +status: unprocessed +tags: [pipeline-architecture, operations-research, queueing-theory, ci-cd, M/M/c-queue] +--- + +# On Queueing Theory for Large-Scale CI/CD Pipelines Optimization + +Academic paper applying classical M/M/c queueing theory to model CI/CD pipeline systems. Proposes a queueing theory modeling framework to optimize large-scale build/test workflows using multi-server queue models. + +## Key Content + +- Addresses bottleneck formation in high-volume shared infrastructure pipelines +- Models pipeline stages as M/M/c queues (Poisson arrivals, exponential service, c servers) +- Integrates theoretical queueing analysis with practical optimization — dynamic scaling and prioritization of CI/CD tasks +- Framework connects arrival rate modeling to worker count optimization +- Demonstrates that classical queueing models provide actionable guidance for real software pipelines + +## Relevance to Teleo Pipeline + +Direct parallel: our extract/eval pipeline IS a multi-stage CI/CD-like system. Sources arrive (Poisson-ish), workers process them (variable service times), and queue depth determines throughput. The M/M/c framework gives us closed-form solutions for expected wait times given worker counts. + +Key insight: M/M/c queues show that adding workers has diminishing returns — the marginal improvement of worker N+1 decreases as N grows. This means there's an optimal worker count beyond which additional workers waste compute without meaningfully reducing queue wait times. diff --git a/inbox/archive/2025-05-01-nejm-semaglutide-mash-phase3-liver.md b/inbox/archive/2025-05-01-nejm-semaglutide-mash-phase3-liver.md new file mode 100644 index 00000000..105ae440 --- /dev/null +++ b/inbox/archive/2025-05-01-nejm-semaglutide-mash-phase3-liver.md @@ -0,0 +1,41 @@ +--- +type: source +title: "Phase 3 Trial of Semaglutide in Metabolic Dysfunction-Associated Steatohepatitis (MASH)" +author: "New England Journal of Medicine" +url: https://www.nejm.org/doi/10.1056/NEJMoa2413258 +date: 2025-05-01 +domain: health +secondary_domains: [] +format: paper +status: unprocessed +priority: medium +tags: [glp-1, semaglutide, MASH, NASH, liver-disease, organ-protection] +--- + +## Content + +Phase 3 trial of semaglutide 2.4mg in patients with MASH and moderate or advanced liver fibrosis. + +**Key findings:** +- Resolution of steatohepatitis without worsening fibrosis: 62.9% semaglutide vs. 34.3% placebo +- GLP-1 RAs improve fibrosis stage without worsening MASH (meta-analysis data) +- Hepatoprotective effects are multifactorial: glycemic control + insulin resistance + weight loss + direct liver effects +- Some liver benefits appear at least partly independent of weight loss + +**Meta-analysis context (2025):** +- GLP-1 RAs significantly increase histologic resolution of MASH +- Decreased liver fat deposition, improved hepatocellular ballooning, reduced lobular inflammation +- Associated with reduced risk of major CV events, clinically significant portal hypertension, and all-cause mortality in MASLD/MASH patients + +## Agent Notes +**Why this matters:** MASH/NASH is projected to become the leading cause of liver transplantation. If GLP-1s can resolve steatohepatitis and slow fibrosis, this prevents enormously expensive late-stage liver disease. Combined with CV and kidney protection, GLP-1s are emerging as multi-organ protective agents, not just weight loss drugs. +**What surprised me:** The 62.9% resolution rate is very high — nearly 2x placebo. And some benefits are independent of weight loss, suggesting a direct hepatoprotective mechanism. This adds a third organ-protection pathway (heart, kidney, liver) to the multi-indication economic case. +**What I expected but didn't find:** No cost-effectiveness analysis specific to MASH indication. The Value in Health Medicare study showed only $28M MASH savings — surprisingly small given the clinical magnitude, likely because MASH progression to transplant takes decades. +**KB connections:** Strengthens the multi-indication benefit thesis that the existing GLP-1 claim doesn't fully capture. The combined CV + kidney + liver protection may justify chronic use even if weight management alone doesn't. +**Extraction hints:** Potential claim: "GLP-1 agonists protect three major organ systems simultaneously — cardiovascular, renal, and hepatic — through mechanisms partially independent of weight loss, making them the first drug class to address the metabolic syndrome as a unified disease." +**Context:** NEJM publication — highest evidence tier. Resmetirom (Rezdiffra) was approved for MASH in March 2024, so GLP-1s now compete with a dedicated MASH therapy. Head-to-head data unclear. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: Third organ-protection pathway (after CV and kidney) strengthens the case that GLP-1s should be evaluated as multi-organ protective agents, not just weight loss drugs +EXTRACTION HINT: The multi-organ protection thesis may justify reframing the existing GLP-1 claim from a weight-loss-economics frame to a metabolic-disease-prevention frame diff --git a/inbox/archive/2025-06-00-panews-futarchy-governance-weapons.md b/inbox/archive/2025-06-00-panews-futarchy-governance-weapons.md index 1895f46b..9076e4d9 100644 --- a/inbox/archive/2025-06-00-panews-futarchy-governance-weapons.md +++ b/inbox/archive/2025-06-00-panews-futarchy-governance-weapons.md @@ -6,10 +6,15 @@ url: https://www.panewslab.com/en/articles/ws5i1bxj date: 2025-06-00 domain: internet-finance secondary_domains: [collective-intelligence] -format: article -status: unprocessed +format: report +status: null-result priority: high tags: [futarchy, prediction-markets, governance, optimism, self-referential, gamification] +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md", "speculative markets aggregate information through incentive and selection effects not wisdom of crowds.md", "domain-expertise-loses-to-trading-skill-in-futarchy-markets-because-prediction-accuracy-requires-calibration-not-just-knowledge.md", "futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "High-value extraction. Source identifies the self-referential paradox as a fundamental challenge to futarchy theory not currently in KB. The distinction between futarchy (predictions allocate resources) and pure prediction markets (predictions observe external events) is crucial and underexplored. Also provides first large-scale empirical data on futarchy UX friction (6 interactions per bet) and information asymmetry effects (45% non-disclosure). Tyler Cowen critique adds philosophical dimension. Four new claims plus four enrichments to existing claims. Created Optimism entity to track this experiment." --- ## Content @@ -53,3 +58,16 @@ Unlike pure prediction markets (Polymarket predicting elections), futarchy's pre PRIMARY CONNECTION: [[futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders]] WHY ARCHIVED: Identifies the self-referential paradox — a fundamental challenge to futarchy's theoretical foundations not currently captured in KB EXTRACTION HINT: Focus on the self-referential dynamic as a NEW challenge distinct from manipulation resistance — this is about the feedback loop between prediction and outcome, not about bad actors + + +## Key Facts +- Optimism futarchy experiment: 2,262 visitors, 19% conversion rate (March 2025) +- 5,898 total transactions across futarchy experiment +- Average 13.6 transactions per participant +- Top performer: 406 transactions in 3 days +- Only 4 of 20 top forecasters held OP governance credentials +- All futarchy-selected projects: -$15.8M TVL collectively +- Extra Finance (Grants Council pick): +$8M TVL +- QiDAO (Grants Council pick): +$10M TVL +- 45% of projects didn't disclose resource deployment plans +- 41% of participants hedged positions in final three days diff --git a/inbox/archive/2025-06-01-cell-med-glp1-societal-implications-obesity.md b/inbox/archive/2025-06-01-cell-med-glp1-societal-implications-obesity.md new file mode 100644 index 00000000..bcf610af --- /dev/null +++ b/inbox/archive/2025-06-01-cell-med-glp1-societal-implications-obesity.md @@ -0,0 +1,54 @@ +--- +type: source +title: "The Societal Implications of Using GLP-1 Receptor Agonists for the Treatment of Obesity" +author: "Med (Cell Press)" +url: https://www.cell.com/med/fulltext/S2666-6340(25)00232-6 +date: 2025-06-01 +domain: health +secondary_domains: [entertainment, internet-finance] +format: paper +status: unprocessed +priority: medium +tags: [glp-1, obesity, societal-impact, equity, food-systems, population-health, sustainability] +--- + +## Content + +Review article examining the broad societal implications of widespread GLP-1 adoption beyond individual clinical outcomes. + +**Population-level data:** +- October 2025 Gallup poll: 12.4% of US adults taking GLP-1 for weight loss (30M+ people) +- US obesity prevalence declined from 39.9% (2022) to 37.0% (2025) — 7.6M fewer obese Americans +- First population-level obesity prevalence decline in recent years + +**Key societal concerns raised:** +- Without increased accessibility and lower costs, GLP-1 rollout may WIDEN inequalities +- Current GLP-1 access skews wealthy/insured — equity gap +- GLP-1s do not offer a sustainable solution without prevention +- Countries must consider local cost-effectiveness, budget impact, and ethical implications + +**WHO position (December 2025):** +- Conditional recommendations for GLP-1s as part of comprehensive approach +- Three pillars: healthier environments (population policy), protect high-risk individuals, person-centered care +- Obesity is societal challenge requiring multisectoral action + +**System-level effects:** +- Obesity costs US $400B+ annually +- GLP-1s mark "system-level redefinition" of cardiometabolic management +- Ripple effects across healthcare costs, insurance models, food systems, long-term population health + +## Agent Notes +**Why this matters:** The population-level obesity decline (39.9% → 37.0%) is potentially historic — the first time a pharmaceutical intervention has measurably reduced population obesity prevalence. But the equity concerns are real: GLP-1s could create a two-tier health system where those with access get healthier while those without fall further behind. +**What surprised me:** The 3 percentage point decline in population obesity prevalence. If causally attributable to GLP-1s (not certain), this is the largest population-level health intervention effect since vaccines. The WHO guidelines being issued within 2 years of widespread adoption is also unusually fast. +**What I expected but didn't find:** No analysis of food industry/agriculture effects. No data on how GLP-1 adoption affects food consumption patterns at population level. No analysis of implications for the food-as-medicine / SDOH movement. +**KB connections:** Connects to [[Big Food companies engineer addictive products by hacking evolutionary reward pathways creating a noncommunicable disease epidemic more deadly than the famines specialization eliminated]] — GLP-1s may be a pharmacological counter to engineered food addiction. Also connects to [[the epidemiological transition marks the shift from material scarcity to social disadvantage as the primary driver of health outcomes in developed nations]] — GLP-1s address metabolic consequences but not root social causes. +**Extraction hints:** Potential claims: (1) "GLP-1 adoption has produced the first measurable decline in US obesity prevalence, demonstrating pharmaceutical intervention can shift population-level health outcomes." (2) "GLP-1 access inequality risks creating a two-tier metabolic health system where pharmacological prevention is available to the insured and wealthy while root social determinants remain unaddressed." +**Context:** This is a Cell Press review, not original research. The population-level obesity data needs independent verification — correlation with GLP-1 adoption is strong but causation requires more evidence (could be confounded by other trends). + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[Americas declining life expectancy is driven by deaths of despair concentrated in populations and regions most damaged by economic restructuring since the 1980s]] +WHY ARCHIVED: Population-level obesity decline is a potential paradigm shift, but equity concerns directly challenge the prevention-first attractor state if access remains stratified by wealth +EXTRACTION HINT: Focus on both the population-level effect AND the equity concern — these are in tension and both matter for the attractor state thesis + +flagged_for_clay: ["GLP-1 adoption is reshaping cultural narratives around obesity, body image, and pharmaceutical solutions to behavioral problems — connects to health narrative infrastructure"] +flagged_for_rio: ["GLP-1 equity gap creates investment opportunity in access-focused models that serve underserved populations — potential Living Capital thesis"] diff --git a/inbox/archive/2025-06-01-value-in-health-comprehensive-semaglutide-medicare-economics.md b/inbox/archive/2025-06-01-value-in-health-comprehensive-semaglutide-medicare-economics.md new file mode 100644 index 00000000..e5b44f11 --- /dev/null +++ b/inbox/archive/2025-06-01-value-in-health-comprehensive-semaglutide-medicare-economics.md @@ -0,0 +1,41 @@ +--- +type: source +title: "Comprehensive Access to Semaglutide: Clinical and Economic Implications for Medicare" +author: "Value in Health (peer-reviewed journal)" +url: https://www.valueinhealthjournal.com/article/S1098-3015(25)02472-6/fulltext +date: 2025-06-01 +domain: health +secondary_domains: [internet-finance] +format: paper +status: unprocessed +priority: high +tags: [glp-1, semaglutide, medicare, cost-effectiveness, cardiovascular, CKD, MASH] +--- + +## Content + +Peer-reviewed modeling study estimating the comprehensive value of semaglutide in the Medicare population for current and future FDA-approved indications (type 2 diabetes, overweight/obesity, MASH). Modeled clinical outcomes and costs over a 10-year period (2026-2035). + +Key findings: +- Net financial impact to Medicare: savings of $715 million over 10 years (range: $412M to $1.04B depending on utilization/price assumptions) +- 38,950 cardiovascular events avoided over 10 years +- 6,180 deaths avoided (CV events + CKD/MASH progression improvement) +- T2D-related impact: savings of ~$892 million +- Obesity-related impact: added costs of ~$205 million +- MASH-related impact: savings of ~$28 million +- Per 100,000 subjects treated: 2,791 non-fatal MIs avoided, 3,000 coronary revascularizations avoided, 487 non-fatal strokes avoided, 115 CV deaths avoided +- Average per-subject lifetime treatment costs: $47,353 +- Savings from avoided T2D: $14,431/subject; avoided CKD: $2,074/subject; avoided CV events: $1,512/subject + +## Agent Notes +**Why this matters:** This directly challenges our existing claim that GLP-1s are "inflationary through 2035." Under Medicare specifically, the modeling shows NET SAVINGS when multi-indication benefits are accounted for. The distinction between system-level inflationary impact and payer-specific savings under risk-bearing arrangements is the core of the VBC interaction question. +**What surprised me:** The T2D-related savings ($892M) actually exceed the obesity-related costs ($205M). The MASH savings are tiny ($28M) despite the impressive clinical data — suggests MASH treatment costs don't accumulate enough in the 10-year window to produce large offsets. +**What I expected but didn't find:** No breakdown by MA vs. traditional Medicare. No analysis of how capitated vs. FFS payment models affect the cost-benefit calculation differently. +**KB connections:** Directly relevant to [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] — this study complicates the "inflationary" conclusion. Also connects to [[the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline]]. +**Extraction hints:** Potential claim: "Comprehensive semaglutide access saves Medicare $715M over 10 years because multi-indication cardiovascular and metabolic benefits offset drug costs when a single payer bears both costs and savings." This would need to be scoped carefully against the system-level inflationary claim. +**Context:** Published in Value in Health, a peer-reviewed health economics journal. Study appears to use Novo Nordisk-favorable assumptions (net prices with rebates). The $715M figure is modest relative to total Medicare spending but significant as evidence that prevention CAN be cost-saving under the right payment structure. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: This study provides the strongest evidence that the "inflationary through 2035" framing needs scope qualification — system-level vs. payer-level economics diverge when downstream savings accrue to the same entity +EXTRACTION HINT: Focus on the distinction between system-level cost impact (inflationary) and risk-bearing payer impact (potentially cost-saving). This is the core VBC interaction. diff --git a/inbox/archive/2025-07-00-fli-ai-safety-index-summer-2025.md b/inbox/archive/2025-07-00-fli-ai-safety-index-summer-2025.md index b74d93f8..3630deed 100644 --- a/inbox/archive/2025-07-00-fli-ai-safety-index-summer-2025.md +++ b/inbox/archive/2025-07-00-fli-ai-safety-index-summer-2025.md @@ -7,9 +7,14 @@ date: 2025-07-01 domain: ai-alignment secondary_domains: [grand-strategy] format: report -status: unprocessed +status: null-result priority: high tags: [AI-safety, company-scores, accountability, governance, existential-risk, transparency] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["the alignment tax creates a structural race to the bottom because safety training costs capability and rational competitors skip it.md", "voluntary safety pledges cannot survive competitive pressure because unilateral commitments are structurally punished when competitors advance without equivalent constraints.md", "safe AI development requires building alignment mechanisms before scaling capability.md", "AI lowers the expertise barrier for engineering biological weapons from PhD-level to amateur which makes bioterrorism the most proximate AI-enabled existential risk.md", "no research group is building alignment through collective intelligence infrastructure despite the field converging on problems that require it.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "High-value extraction. Four new claims quantifying the AI safety gap at company level, five enrichments confirming existing race-to-the-bottom and voluntary-pledge-failure claims. The C+ ceiling (Anthropic) and universal D-or-below existential safety scores are the key empirical findings. FLI entity updated with timeline entry. No new entity creation needed—FLI already exists in KB." --- ## Content @@ -62,3 +67,10 @@ FLI's comprehensive evaluation of frontier AI companies across 6 safety dimensio PRIMARY CONNECTION: [[the alignment tax creates a structural race to the bottom because safety training costs capability and rational competitors skip it]] WHY ARCHIVED: Provides quantitative company-level evidence for the race-to-the-bottom dynamic — best company scores C+ in overall safety, all companies score D or below in existential safety EXTRACTION HINT: The headline claim is "no frontier AI company scores above D in existential safety despite AGI claims." The company-by-company comparison and the existential safety gap are the highest-value extractions. + + +## Key Facts +- FLI AI Safety Index Summer 2025 evaluated 7 companies across 6 dimensions using peer-reviewed methodology +- Company scores: Anthropic C+ (2.64), OpenAI C (2.10), DeepMind C- (1.76), x.AI D (1.23), Meta D (1.06), Zhipu AI F (0.62), DeepSeek F (0.37) +- Six evaluation dimensions: Risk Assessment, Current Harms, Safety Frameworks, Existential Safety, Governance & Accountability, Information Sharing +- Methodology based on publicly available information plus email correspondence with developers diff --git a/inbox/archive/2025-07-01-sarcopenia-glp1-muscle-loss-elderly-risk.md b/inbox/archive/2025-07-01-sarcopenia-glp1-muscle-loss-elderly-risk.md new file mode 100644 index 00000000..de9ecdae --- /dev/null +++ b/inbox/archive/2025-07-01-sarcopenia-glp1-muscle-loss-elderly-risk.md @@ -0,0 +1,52 @@ +--- +type: source +title: "Weighing the Risk of GLP-1 Treatment in Older Adults: Sarcopenic Obesity Concerns" +author: "Multiple sources (ScienceDirect, Harvard Science Review, Endocrine News)" +url: https://pmc.ncbi.nlm.nih.gov/articles/PMC12391595/ +date: 2025-07-01 +domain: health +secondary_domains: [] +format: review +status: unprocessed +priority: medium +tags: [glp-1, sarcopenia, muscle-loss, elderly, safety, lean-mass] +--- + +## Content + +Multiple sources examining the muscle loss / sarcopenia risk from GLP-1 agonist use, particularly in elderly patients. + +**Lean mass loss quantification:** +- 15-40% of total weight lost on GLP-1s is lean body mass (not fat) +- Some analyses suggest up to 60% in certain patients +- Natural aging already reduces skeletal muscle mass by 12-16% — GLP-1s compound this + +**Elderly-specific risks:** +- Sarcopenic obesity (excess fat + low muscle mass) prevalence: 10-20% of older adults +- Weight cycling risk: patients who discontinue (64.8% within 1 year) may regain fat preferentially while muscle is NOT regained +- This creates a worse body composition than before treatment: same or higher fat, less muscle +- Functional impairment and disability risk increases + +**Mitigation strategies:** +- High protein diet + resistance training can partially prevent muscle loss +- But adherence to exercise programs is low, especially in the populations most likely to use GLP-1s +- No pharmacological solution to GLP-1-induced muscle loss yet + +**Next-generation compounds:** +- Some next-gen GLP-1 therapies aim to improve "quality of weight loss" by preserving muscle +- ADA notes new therapies "enhance quality of weight loss by improving muscle preservation" + +## Agent Notes +**Why this matters:** This is the strongest safety counter-argument to broad GLP-1 deployment, especially in the Medicare-age population. If GLP-1s cause significant muscle loss in elderly patients, and most discontinue within a year (losing the metabolic benefits while keeping the muscle deficit), the net health effect could be NEGATIVE for some patients. This directly challenges the Medicare cost-savings thesis — sarcopenic elderly patients may need MORE healthcare, not less. +**What surprised me:** The weight cycling mechanism is particularly concerning: GLP-1 → muscle loss → discontinuation → fat regain without muscle regain → sarcopenic obesity → increased fall risk, fractures, disability. This cycle could create NEW healthcare costs that offset the cardiovascular and metabolic savings. +**What I expected but didn't find:** No population-level data on actual sarcopenia incidence in GLP-1 users vs. controls. Most evidence is mechanistic/theoretical or from small studies. No Medicare-specific analysis of the functional impact. +**KB connections:** This is a genuine challenge to the GLP-1 cost-savings thesis and the attractor state. If the same drug that prevents CV events causes sarcopenic disability, the net population health effect is ambiguous. Connects to the adherence data — the 64.8% discontinuation rate makes the muscle loss / weight cycling scenario the most common outcome. +**Extraction hints:** Potential claim: "GLP-1-induced muscle loss combined with high discontinuation rates creates a sarcopenic obesity risk where patients end up with worse body composition than before treatment — more fat, less muscle, higher disability risk." +**Context:** This is an emerging safety signal, not yet supported by large-scale outcomes data. The next-gen compounds claiming to preserve muscle suggest the manufacturers take this risk seriously. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: Counter-evidence to the GLP-1 benefit thesis — sarcopenia risk may create new costs that offset cardiovascular/metabolic savings, especially in the Medicare population +EXTRACTION HINT: The intersection of muscle loss + high discontinuation rates is the key risk — evaluate as a challenge to the cost-savings thesis, not just a clinical side effect + +flagged_for_astra: ["GLP-1-induced muscle loss in elderly has parallels to spaceflight muscle atrophy — different mechanism but similar functional consequences"] diff --git a/inbox/archive/2025-07-02-futardio-proposal-testing-indexer-changes.md b/inbox/archive/2025-07-02-futardio-proposal-testing-indexer-changes.md index 6502af0f..e2c47c5f 100644 --- a/inbox/archive/2025-07-02-futardio-proposal-testing-indexer-changes.md +++ b/inbox/archive/2025-07-02-futardio-proposal-testing-indexer-changes.md @@ -6,13 +6,17 @@ url: "https://www.futard.io/proposal/35mgLHTJYhyEWjsLHDd4jZNQ6jwuZ4E214TUm1hA8vB date: 2025-07-02 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana, governance] event_type: proposal processed_by: rio processed_date: 2025-07-02 extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "This source is a futarchy proposal event record with minimal substantive content. The description field contains only 'This is' (appears truncated). No arguable claims, no evidence about futarchy mechanisms, governance outcomes, or indexer performance. This is purely operational metadata from the futard.io platform tracking a failed test proposal. No extractable claims or enrichments to existing knowledge base." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Test proposal with minimal substantive content. Description field truncated to 'This is'. Created entity records for Test DAO timeline and decision_market entity for completeness, though this appears to be infrastructure testing rather than meaningful governance. No extractable claims about futarchy mechanisms or governance outcomes." --- ## Proposal Details @@ -59,3 +63,9 @@ is - Proposal number: 2 - DAO account: GCSGFCRfCRQDbqtPLa6bV7DCJz26NkejR182or8PNqRw - Autocrat version: 0.3 + + +## Key Facts +- Test DAO proposal 'Testing indexer changes' failed on 2025-07-02 +- Proposal used Autocrat version 0.3 +- Proposal account: 35mgLHTJYhyEWjsLHDd4jZNQ6jwuZ4E214TUm1hA8vB2 diff --git a/inbox/archive/2025-08-20-futardio-proposal-should-sanctum-offer-investors-early-unlocks-of-their-cloud.md b/inbox/archive/2025-08-20-futardio-proposal-should-sanctum-offer-investors-early-unlocks-of-their-cloud.md index 0c3b0248..9c6b07a4 100644 --- a/inbox/archive/2025-08-20-futardio-proposal-should-sanctum-offer-investors-early-unlocks-of-their-cloud.md +++ b/inbox/archive/2025-08-20-futardio-proposal-should-sanctum-offer-investors-early-unlocks-of-their-cloud.md @@ -14,6 +14,11 @@ processed_date: 2025-08-20 enrichments_applied: ["time-based-token-vesting-is-hedgeable-making-standard-lockups-meaningless-as-alignment-mechanisms-because-investors-can-short-sell-to-neutralize-lockup-exposure-while-appearing-locked.md", "MetaDAOs-futarchy-implementation-shows-limited-trading-volume-in-uncontested-decisions.md", "futarchy-adoption-faces-friction-from-token-price-psychology-proposal-complexity-and-liquidity-requirements.md"] extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "No new claims extracted. Source provides concrete example of vesting modification mechanism (forfeit-for-liquidity vs hedging) and additional futarchy implementation data point. All insights enrich existing claims about token vesting, futarchy adoption friction, and MetaDAO usage patterns. The failed proposal itself is a factual event, not an arguable claim." +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["time-based-token-vesting-is-hedgeable-making-standard-lockups-meaningless-as-alignment-mechanisms-because-investors-can-short-sell-to-neutralize-lockup-exposure-while-appearing-locked.md", "MetaDAOs-futarchy-implementation-shows-limited-trading-volume-in-uncontested-decisions.md", "futarchy-adoption-faces-friction-from-token-price-psychology-proposal-complexity-and-liquidity-requirements.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "No new claims extracted. Source provides concrete example of forfeit-for-liquidity mechanism as alternative to vesting hedgeability, and additional data point on futarchy adoption friction and low-volume uncontested decisions. Created decision_market entity for the proposal and enriched three existing claims with mechanism design insights and futarchy implementation patterns." --- ## Proposal Details @@ -68,3 +73,13 @@ Read the full proposal here https://research.sanctum.so/t/cloud-005-should-sanct - Potential increase of up to 27 million CLOUD to Team Reserve if all investors opted in - Team committed not to redistribute forfeited tokens for 24 months - Proposal used MetaDAO Autocrat v0.3 + + +## Key Facts +- Sanctum proposal C61vTUyxTq5SWwbrTFEyYeXpGQLKhRRvRrGsu6YUa6CX failed (2025-08-23) +- 9% of CLOUD token supply was unlocking monthly over 24 months from investors +- Proposal offered 35% forfeit rate for immediate unlock +- Potential increase of up to 27 million CLOUD to Team Reserve if all investors opted in +- Team committed not to redistribute forfeited tokens for 24 months +- Used MetaDAO Autocrat v0.3 +- DAO account: GVmi7ngRAVsUHh8REhKDsB2yNftJTNRt5qMLHDDCizov diff --git a/inbox/archive/2025-09-00-gaikwad-murphys-laws-alignment.md b/inbox/archive/2025-09-00-gaikwad-murphys-laws-alignment.md index 5693371d..f1468e85 100644 --- a/inbox/archive/2025-09-00-gaikwad-murphys-laws-alignment.md +++ b/inbox/archive/2025-09-00-gaikwad-murphys-laws-alignment.md @@ -7,9 +7,14 @@ date: 2025-09-01 domain: ai-alignment secondary_domains: [] format: paper -status: unprocessed +status: null-result priority: medium tags: [alignment-gap, feedback-misspecification, reward-hacking, sycophancy, impossibility, maps-framework] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["emergent misalignment arises naturally from reward hacking as models develop deceptive behaviors without any training to deceive.md", "RLHF and DPO both fail at preference diversity because they assume a single reward function can capture context-dependent human values.md", "collective intelligence requires diversity as a structural precondition not a moral preference.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Two novel formal results extracted as claims: (1) exponential barrier + calibration oracle solution, (2) MAPS framework for managing alignment gap. Three enrichments to existing claims on emergent misalignment, RLHF/DPO failures, and collective intelligence. The calibration oracle concept maps directly to our collective architecture — domain experts as calibration mechanisms. No connection to social choice theory or bridging-based approaches in the source." --- ## Content @@ -51,3 +56,9 @@ The alignment gap cannot be eliminated but can be mapped, bounded, and managed. PRIMARY CONNECTION: [[emergent misalignment arises naturally from reward hacking as models develop deceptive behaviors without any training to deceive]] WHY ARCHIVED: The "calibration oracle" concept maps to our collective architecture — domain experts as calibration mechanisms EXTRACTION HINT: The exponential barrier + calibration oracle constructive result is the key extractable claim pair + + +## Key Facts +- Exponential sample complexity: exp(n*alpha*epsilon^2) where alpha = fraction of problematic contexts, epsilon = bias strength +- Calibration oracle reduces complexity to O(1/(alpha*epsilon^2)) +- Paper published September 2025 by independent researcher Madhava Gaikwad diff --git a/inbox/archive/2025-09-00-orchestrator-active-inference-multi-agent-llm.md b/inbox/archive/2025-09-00-orchestrator-active-inference-multi-agent-llm.md index f32c1e0c..72d9b5c1 100644 --- a/inbox/archive/2025-09-00-orchestrator-active-inference-multi-agent-llm.md +++ b/inbox/archive/2025-09-00-orchestrator-active-inference-multi-agent-llm.md @@ -7,9 +7,14 @@ date: 2025-09-06 domain: ai-alignment secondary_domains: [collective-intelligence] format: paper -status: unprocessed +status: null-result priority: high tags: [active-inference, multi-agent, LLM, orchestrator, coordination, long-horizon, partial-observability] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["AI agent orchestration that routes data and tools between specialized models outperforms both single-model and human-coached approaches because the orchestrator contributes coordination not direction.md", "coordination protocol design produces larger capability gains than model scaling because the same AI model performed 6x better with structured exploration than with human coaching on the same problem.md", "subagent hierarchies outperform peer multi-agent architectures in practice because deployed systems consistently converge on one primary agent controlling specialized helpers.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "First known application of active inference to LLM multi-agent coordination. Extracted two claims: (1) active inference orchestration as coordination paradigm, (2) how active inference handles partial observability. Three enrichments extending existing orchestration and coordination protocol claims with active inference mechanisms. This validates the Teleo architectural thesis that Leo should function as an active inference orchestrator monitoring collective free energy rather than commanding agent research directions." --- ## Content @@ -54,3 +59,10 @@ Complex, non-linear tasks challenge LLM-enhanced multi-agent systems (MAS) due t PRIMARY CONNECTION: "AI agent orchestration that routes data and tools between specialized models outperforms both single-model and human-coached approaches" WHY ARCHIVED: First known application of active inference to LLM multi-agent coordination — validates our architectural thesis and provides implementation patterns for Leo's orchestrator role EXTRACTION HINT: Focus on the monitoring-and-adjusting pattern vs command-and-control, and the benchmark-driven introspection mechanism + + +## Key Facts +- Published on arXiv September 2025 +- Introduces Orchestrator framework for multi-agent LLM systems +- Uses variational free energy (VFE) minimization as coordination mechanism +- Implements benchmark-driven introspection to track agent-environment dynamics diff --git a/inbox/archive/2025-10-00-brookings-ai-physics-collective-intelligence.md b/inbox/archive/2025-10-00-brookings-ai-physics-collective-intelligence.md index ca5f7b33..77ac7096 100644 --- a/inbox/archive/2025-10-00-brookings-ai-physics-collective-intelligence.md +++ b/inbox/archive/2025-10-00-brookings-ai-physics-collective-intelligence.md @@ -6,10 +6,15 @@ url: https://www.brookings.edu/articles/ai-is-changing-the-physics-of-collective date: 2025-10-01 domain: ai-alignment secondary_domains: [collective-intelligence] -format: article -status: unprocessed +format: report +status: null-result priority: medium tags: [collective-intelligence, coordination, AI-infrastructure, room-model, design-vs-model] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["AI alignment is a coordination problem not a technical problem.md", "collective intelligence requires diversity as a structural precondition not a moral preference.md", "the internet enabled global communication but not global cognition.md", "no research group is building alignment through collective intelligence infrastructure despite the field converging on problems that require it.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims about AI's impact on collective intelligence physics and LLMs as bridges between design/model approaches. Both claims are conceptual frameworks from institutional research agenda rather than empirical validation. Applied four enrichments to existing coordination and collective intelligence claims. The 'physics' framing and design-model divide are the novel contributions. Source is prospective and programmatic—no deployed systems or outcome data." --- ## Content @@ -46,3 +51,9 @@ Argues AI disrupts the "physics" of collective intelligence — the fundamental PRIMARY CONNECTION: collective brains generate innovation through population size and interconnectedness not individual genius WHY ARCHIVED: Institutional framing of AI-CI as "physics change" — conceptual framework for how AI restructures collective intelligence EXTRACTION HINT: The design-model bridging thesis and the feedback loop architecture are the novel contributions + + +## Key Facts +- Brookings 17 Rooms Initiative identifies two CI camps: design-minded (psychologists, anthropologists using facilitated convenings) and model-minded (economists, epidemiologists using simulations) +- Proposed infrastructure includes digital identity systems, data-sharing protocols, model telemetry standards, evaluation frameworks, and governance structures +- Four unanswered research questions about whether AI-enhanced CI processes improve understanding and reduce polarization diff --git a/inbox/archive/2025-11-06-trump-novo-lilly-glp1-price-deals-medicare.md b/inbox/archive/2025-11-06-trump-novo-lilly-glp1-price-deals-medicare.md new file mode 100644 index 00000000..4b112ae5 --- /dev/null +++ b/inbox/archive/2025-11-06-trump-novo-lilly-glp1-price-deals-medicare.md @@ -0,0 +1,47 @@ +--- +type: source +title: "Trump Administration Announces Deals with Eli Lilly and Novo Nordisk to Slash GLP-1 Prices for Medicare" +author: "CNBC / Multiple sources" +url: https://www.cnbc.com/2025/11/06/trump-eli-lilly-novo-nordisk-deal-obesity-drug-prices.html +date: 2025-11-06 +domain: health +secondary_domains: [internet-finance] +format: news +status: unprocessed +priority: high +tags: [glp-1, drug-pricing, medicare, policy, trump-administration, market-structure] +--- + +## Content + +On November 6, 2025, President Trump announced agreements with Eli Lilly and Novo Nordisk to dramatically reduce GLP-1 prices and expand Medicare coverage for obesity — the first time Medicare will cover GLP-1 medications specifically for obesity. + +**Pricing details:** +- Medicare/Medicaid price for semaglutide and tirzepatide: $245/month +- General price through TrumpRx: $350/month (down from ~$1,350/month injectable) +- Oral Wegovy: $149-$299/month (launched January 2026) +- Medicare beneficiaries: $50/month out-of-pocket maximum for tirzepatide (Zepbound) starting April 2026 +- Future oral GLP-1s: initial dose priced at $150/month on TrumpRx + +**Eligibility criteria for Medicare coverage:** +- BMI ≥27 with prediabetes or cardiovascular disease history +- BMI >30 with heart failure, uncontrolled hypertension, or chronic kidney disease +- ~10% of Medicare beneficiaries expected to be eligible + +**Timeline:** +- Medicare GLP-1 payment demonstration: July 2026 +- BALANCE Model in Medicaid: May 2026 +- BALANCE Model in Medicare Part D: January 2027 + +## Agent Notes +**Why this matters:** This is a policy earthquake. Medicare covering GLP-1s for obesity — previously explicitly excluded — fundamentally changes the addressable population and the economics. The $245/month Medicare price is ~82% below list price. Combined with the $50/month OOP cap, this removes most financial barriers for the eligible Medicare population. +**What surprised me:** The eligibility criteria are NARROW — requiring comorbidities, not just obesity. This is smart from a cost containment perspective (targeting highest-risk/highest-savings patients) but limits the population-level impact. The deal structure (manufacturer concessions in exchange for coverage) is a novel mechanism outside normal CMS rulemaking. +**What I expected but didn't find:** No details on how MA plans specifically will implement this. No analysis of how the deal interacts with existing MA formulary management and prior authorization practices. No clarity on whether the $245 price applies to MA plans or just traditional Medicare. +**KB connections:** Connects to the MA economics research from March 10 session. Under capitation, MA plans bearing full risk would see the $245/month cost offset by downstream savings — but only if adherence is sustained. The eligibility criteria (high-risk patients with comorbidities) are the population where savings are most likely. +**Extraction hints:** Potential claim about the deal structure as a novel policy mechanism — manufacturer price concessions in exchange for coverage expansion, bypassing traditional CMS rulemaking. Also: the narrow eligibility targeting high-risk patients may actually make this cost-effective under capitation even if system-level impact is inflationary. +**Context:** This is a politically-driven deal that may not survive administration changes. The legal authority for this arrangement has been questioned. But the pricing signals (oral at $149-$299, Medicare at $245) are reshaping competitive dynamics regardless. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: The price reduction + coverage expansion + narrow eligibility criteria fundamentally change the economics analyzed in the existing claim — the "inflationary through 2035" conclusion assumed higher prices and broader population +EXTRACTION HINT: Focus on how narrow eligibility (comorbid patients only) changes the cost-effectiveness calculus vs. broad population coverage diff --git a/inbox/archive/2025-11-15-beetv-openx-race-to-bottom-cpms-premium-content.md b/inbox/archive/2025-11-15-beetv-openx-race-to-bottom-cpms-premium-content.md index 91abaeae..321890f5 100644 --- a/inbox/archive/2025-11-15-beetv-openx-race-to-bottom-cpms-premium-content.md +++ b/inbox/archive/2025-11-15-beetv-openx-race-to-bottom-cpms-premium-content.md @@ -6,10 +6,14 @@ url: https://www.beet.tv/2025/11/openxs-erika-loberg-race-to-bottom-cpms-threate date: 2025-11-15 domain: entertainment secondary_domains: [internet-finance] -format: interview -status: unprocessed +format: transcript +status: null-result priority: medium tags: [ad-supported, cpm-race-to-bottom, premium-content, content-quality, revenue-model] +processed_by: clay +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Single new claim extracted. Source provides ad supply side validation of revenue model dysfunction—significant because it comes from advertising infrastructure (OpenX) rather than content creators. No enrichments because this is a novel causal mechanism claim not previously articulated in the KB. The claim connects to existing streaming economics claims to show both major incumbent revenue models (subscription and ad-supported) face structural failures." --- ## Content @@ -36,3 +40,8 @@ Key quotes and data: PRIMARY CONNECTION: [[streaming churn may be permanently uneconomic because maintenance marketing consumes up to half of average revenue per user]] WHY ARCHIVED: Evidence from the ad ecosystem itself that ad-supported models structurally degrade content quality — supporting the thesis that alternative revenue models (loss-leader, subscription) enable better content EXTRACTION HINT: This is EVIDENCE for the revenue-model-determines-quality claim, not a standalone claim. Pair with Dropout and MrBeast sources for the full picture. + + +## Key Facts +- CTV advertising market is $30B+ (2025) +- OpenX is a major programmatic advertising exchange operating in CTV space diff --git a/inbox/archive/2025-12-00-cip-year-in-review-democratic-alignment.md b/inbox/archive/2025-12-00-cip-year-in-review-democratic-alignment.md index 6c83adf6..61c493d8 100644 --- a/inbox/archive/2025-12-00-cip-year-in-review-democratic-alignment.md +++ b/inbox/archive/2025-12-00-cip-year-in-review-democratic-alignment.md @@ -6,10 +6,15 @@ url: https://blog.cip.org/p/from-global-dialogues-to-democratic date: 2025-12-01 domain: ai-alignment secondary_domains: [collective-intelligence, mechanisms] -format: article -status: unprocessed +format: report +status: null-result priority: medium tags: [cip, democratic-alignment, global-dialogues, weval, samiksha, digital-twin, frontier-lab-adoption] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["democratic alignment assemblies produce constitutions as effective as expert-designed ones while better representing diverse populations.md", "community-centred norm elicitation surfaces alignment targets materially different from developer-specified rules.md", "no research group is building alignment through collective intelligence infrastructure.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Three new claims extracted on democratic alignment scaling, AI trust dynamics, and digital twin evaluation framework. Three enrichments applied to existing democratic alignment claims. The 58% AI trust figure is particularly significant as it challenges human-in-the-loop assumptions. The evaluation-to-deployment gap noted in agent notes is captured in the challenges section. CIP entity timeline updated with 2025 results and 2026 plans." --- ## Content @@ -59,3 +64,12 @@ CIP's comprehensive 2025 results and 2026 plans. PRIMARY CONNECTION: [[democratic alignment assemblies produce constitutions as effective as expert-designed ones while better representing diverse populations]] WHY ARCHIVED: Scale-up evidence for democratic alignment + frontier lab adoption evidence EXTRACTION HINT: The 70%+ cross-partisan consensus and the evaluation-to-deployment gap are both extractable + + +## Key Facts +- CIP Global Dialogues 2025: 10,000+ participants, 70+ countries, 6 deliberative dialogues +- Weval political neutrality: 1,000 participants, 400 prompts, 107 evaluation criteria, 70%+ cross-partisan consensus +- Samiksha India evaluation: 25,000+ queries, 11 Indian languages, 100,000+ manual evaluations +- Frontier lab partners: Meta, Cohere, Anthropic, UK/US AI Safety Institutes +- Government adoption: India, Taiwan, Sri Lanka +- Survey findings: 58% believe AI could decide better than elected representatives; 28% support AI overriding rules for better outcomes; 47% felt chatbot interactions increased belief certainty; 13.7% reported concerning AI interactions affecting someone they know diff --git a/inbox/archive/2025-12-00-colosseum-stamp-introduction.md b/inbox/archive/2025-12-00-colosseum-stamp-introduction.md index b17f4848..ebacc542 100644 --- a/inbox/archive/2025-12-00-colosseum-stamp-introduction.md +++ b/inbox/archive/2025-12-00-colosseum-stamp-introduction.md @@ -6,10 +6,15 @@ url: https://blog.colosseum.com/introducing-the-colosseum-stamp/ date: 2025-12-00 domain: internet-finance secondary_domains: [] -format: article -status: unprocessed +format: report +status: null-result priority: high tags: [stamp, investment-instrument, metadao, ownership-coins, safe, legal-structure, colosseum] +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["STAMP replaces SAFE plus token warrant by adding futarchy-governed treasury spending allowances that prevent the extraction problem that killed legacy ICOs.md", "futarchy-governed liquidation is the enforcement mechanism that makes unruggable ICOs credible because investors can force full treasury return when teams materially misrepresent.md", "MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Three new claims extracted on STAMP mechanics: (1) single-token structure with legal enforceability, (2) 20% investor cap ensuring community ownership, (3) clean migration from equity to tokens. Enriched three existing claims with detailed STAMP mechanics. Created entities for Colosseum and Orrick. No regulatory analysis or legal opinions published yet, so confidence capped at experimental. The 20% cap is the most striking mechanism design choice — significantly lower than typical crypto raises." --- ## Content @@ -57,3 +62,16 @@ Colosseum introduces STAMP (Simple Token Agreement, Market Protected), developed PRIMARY CONNECTION: [[STAMP replaces SAFE plus token warrant by adding futarchy-governed treasury spending allowances that prevent the extraction problem that killed legacy ICOs]] WHY ARCHIVED: First detailed specification of STAMP instrument. The 20% investor cap + mandatory SAFE termination + DAO-controlled treasury are novel mechanism design choices worth claiming. EXTRACTION HINT: Focus on (1) how STAMP structurally prevents the extraction problem, (2) the 20% cap as mechanism for ensuring community ownership, (3) the clean-break migration from equity to token structure. + + +## Key Facts +- STAMP developed by Colosseum with law firm Orrick (2025-12) +- STAMP uses Cayman SPC/SP entity structure +- Investor allocation capped at 20% of total token supply +- Team allocation: 10-40% of total supply, milestone-based +- 24-month linear unlock schedule for investor allocations +- Funds restricted to product development and operating expenses pre-ICO +- Remaining balance transfers to DAO-controlled treasury upon ICO +- Prior SAFEs and convertible notes terminated upon STAMP signing +- MetaDAO interface handles entity setup +- Positioned as open-source ecosystem standard diff --git a/inbox/archive/2025-12-00-fullstack-alignment-thick-models-value.md b/inbox/archive/2025-12-00-fullstack-alignment-thick-models-value.md index eb68eddf..400e0293 100644 --- a/inbox/archive/2025-12-00-fullstack-alignment-thick-models-value.md +++ b/inbox/archive/2025-12-00-fullstack-alignment-thick-models-value.md @@ -7,9 +7,14 @@ date: 2025-12-01 domain: ai-alignment secondary_domains: [mechanisms, grand-strategy] format: paper -status: unprocessed +status: null-result priority: medium tags: [full-stack-alignment, institutional-alignment, thick-values, normative-competence, co-alignment] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["AI alignment is a coordination problem not a technical problem.md", "the alignment problem dissolves when human values are continuously woven into the system rather than specified in advance.md", "RLHF and DPO both fail at preference diversity because they assume a single reward function can capture context-dependent human values.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two novel claims about full-stack alignment and thick value models. Both extend existing coordination-first and continuous-value-integration theses. Paper is architecturally ambitious but lacks technical specificity—claims rated experimental pending implementation evidence. The five implementation mechanisms (value stewardship, normatively competent agents, win-win negotiation, meaning-preserving economics, democratic regulation) are listed but not extracted as separate claims because they lack sufficient detail to evaluate independently." --- ## Content diff --git a/inbox/archive/2025-12-00-javacodegeeks-reactive-programming-backpressure-stream-processing.md b/inbox/archive/2025-12-00-javacodegeeks-reactive-programming-backpressure-stream-processing.md new file mode 100644 index 00000000..221431db --- /dev/null +++ b/inbox/archive/2025-12-00-javacodegeeks-reactive-programming-backpressure-stream-processing.md @@ -0,0 +1,31 @@ +--- +type: source +title: "Reactive Programming Paradigms: Mastering Backpressure and Stream Processing" +author: "Java Code Geeks" +url: https://www.javacodegeeks.com/2025/12/reactive-programming-paradigms-mastering-backpressure-and-stream-processing.html +date: 2025-12-01 +domain: internet-finance +format: essay +status: unprocessed +tags: [pipeline-architecture, backpressure, reactive-streams, flow-control, producer-consumer] +--- + +# Reactive Programming Paradigms: Mastering Backpressure and Stream Processing + +Practitioner guide to implementing backpressure in reactive stream processing systems. Covers the Reactive Streams specification and practical backpressure patterns. + +## Key Content + +- Reactive Streams standard: Publisher/Subscriber/Subscription interfaces with demand-based flow control +- Subscriber requests N items → Publisher delivers at most N → prevents overwhelming +- Four backpressure strategies: + 1. **Buffer** — accumulate incoming data with threshold triggers (risk: unbounded memory) + 2. **Drop** — discard excess when consumer can't keep up (acceptable for some data) + 3. **Latest** — keep only most recent item, discard older (good for state updates) + 4. **Error** — signal failure when buffer overflows (forces architectural fix) +- Practical implementations: Project Reactor (Spring WebFlux), Akka Streams, RxJava +- Key insight: backpressure must be designed into the system from the start — bolting it on later is much harder + +## Relevance to Teleo Pipeline + +Our pipeline currently has NO backpressure. Extract produces PRs that accumulate in eval's queue without any feedback mechanism. If research dumps 20 sources, extraction creates 20 PRs, and eval drowns trying to process them all. We need a "buffer + rate limit" strategy: extraction should check eval queue depth before starting new work, and slow down or pause when eval is backlogged. diff --git a/inbox/archive/2025-12-01-who-glp1-global-guidelines-obesity.md b/inbox/archive/2025-12-01-who-glp1-global-guidelines-obesity.md new file mode 100644 index 00000000..c3c731b6 --- /dev/null +++ b/inbox/archive/2025-12-01-who-glp1-global-guidelines-obesity.md @@ -0,0 +1,41 @@ +--- +type: source +title: "WHO Issues Global Guideline on the Use of GLP-1 Medicines in Treating Obesity" +author: "World Health Organization" +url: https://www.who.int/news/item/01-12-2025-who-issues-global-guideline-on-the-use-of-glp-1-medicines-in-treating-obesity +date: 2025-12-01 +domain: health +secondary_domains: [] +format: policy +status: unprocessed +priority: medium +tags: [glp-1, WHO, global-health, obesity, guidelines, equity] +--- + +## Content + +WHO issued conditional recommendations for GLP-1 medicines in obesity treatment (December 2025). + +**Three-pillar framework:** +1. Creating healthier environments through population-level policies +2. Protecting individuals at high risk +3. Ensuring access to lifelong, person-centered care + +**Key positions:** +- GLP-1s should be part of comprehensive approach including healthy diets, physical activity, and professional support +- Obesity is societal challenge requiring multisectoral action — not just individual medical treatment +- Conditional recommendations (acknowledging limited long-term evidence) +- Countries must consider local cost-effectiveness, budget impact, and ethical implications + +## Agent Notes +**Why this matters:** WHO positioning GLP-1s within a comprehensive framework (not as standalone treatment) aligns with the BALANCE model's design. The three-pillar approach echoes the attractor state thesis — prevention infrastructure + targeted intervention + person-centered care. But WHO's emphasis on population-level policies and societal action challenges the pharmacological solution narrative. +**What surprised me:** Speed of WHO guideline issuance — unusually fast for a drug class this new. The conditional framing acknowledges uncertainty about long-term outcomes, which is honest. +**What I expected but didn't find:** No specific cost-effectiveness thresholds by country income level. No analysis of which low/middle-income countries could afford GLP-1 coverage. +**KB connections:** Connects to the population health framework and the question of whether pharmaceutical intervention can substitute for structural social determinant reform. +**Extraction hints:** The WHO framework could support a claim about the correct integration model for GLP-1s — medication embedded in comprehensive lifestyle/policy infrastructure, not standalone pharmacotherapy. +**Context:** WHO guidelines have limited enforcement power but significant influence on national health policies, especially in low/middle-income countries. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[medical care explains only 10-20 percent of health outcomes because behavioral social and genetic factors dominate as four independent methodologies confirm]] +WHY ARCHIVED: WHO's three-pillar framework challenges the pharmacological solution narrative and supports the view that GLP-1s are most effective when embedded in structural prevention infrastructure +EXTRACTION HINT: The WHO position supports the BALANCE model's design but questions whether pharmaceutical solutions alone can address the obesity epidemic diff --git a/inbox/archive/2025-12-04-cnbc-dealbook-mrbeast-future-of-content.md b/inbox/archive/2025-12-04-cnbc-dealbook-mrbeast-future-of-content.md deleted file mode 100644 index 8ad2ddad..00000000 --- a/inbox/archive/2025-12-04-cnbc-dealbook-mrbeast-future-of-content.md +++ /dev/null @@ -1,39 +0,0 @@ ---- -type: source -title: "DealBook Summit 2025: MrBeast on the Future of Content" -author: "CNBC / DealBook Summit" -url: https://www.cnbc.com/video/2025/12/04/dealbook-summit-2025-mr-beast-on-the-future-of-content.html -date: 2025-12-04 -domain: entertainment -secondary_domains: [internet-finance] -format: video-interview -status: unprocessed -priority: high -tags: [mrbeast, dealbook, content-strategy, creator-economy, beast-industries, ipo] ---- - -## Content - -MrBeast (Jimmy Donaldson) and Beast Industries CEO Jeff Housenbold at NYT DealBook Summit 2025. - -Key points: -- Three-pronged structure to move beyond YouTube: telecommunications, influencer marketing, and confections -- "The creators who win aren't just chasing views — they're designing for global attention, deep connection, and long-form storytelling" -- Plans for turning Beast Industries into a major creator-led enterprise -- Beast Industries structure: software (Viewstats), CPG (Feastables, Lunchly), health & wellness, media (YouTube, streaming), and video games -- Discussed potential IPO pathway -- Revenue projections: $899M (2025) → $1.6B (2026) → $4.78B (2029) -- $5B valuation - -## Agent Notes -**Why this matters:** The DealBook Summit is where business strategy meets Wall Street. MrBeast presenting "deep connection and long-form storytelling" to investors is NOT just creative aspiration — it's the business thesis. Narrative depth is being pitched as the growth mechanism to institutional capital. This is the moment where the content-as-loss-leader model explicitly articulates that DEPTH (not just reach) is the strategic asset. -**What surprised me:** "Designing for global attention, deep connection, and long-form storytelling" — these three are presented as UNIFIED, not in tension. Global attention (reach) + deep connection (depth) + long-form storytelling (meaning). The framing dissolves the reach-vs-meaning dichotomy. -**What I expected but didn't find:** Any acknowledgment that the loss-leader model might push content toward shallow optimization. The strategic presentation is entirely about depth as growth driver. -**KB connections:** [[the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership]] — Beast Industries IS this attractor state operationalized at $5B scale. [[creator and corporate media economies are zero-sum because total media time is stagnant and every marginal hour shifts between them]] — Beast Industries' $4.78B 2029 projection implies massive share shift from corporate media. -**Extraction hints:** The DealBook framing resolves the reach-vs-meaning tension: depth IS the reach mechanism at scale because retention (depth) → community (loyalty) → complement revenue (growth). The attractor state's content-as-loss-leader component should be reframed: content is economically subsidized by complements but strategically primary. -**Context:** DealBook Summit is NYT's flagship business conference. Audience is institutional investors, Fortune 500 CEOs, financial media. This framing is designed to convince capital allocators. - -## Curator Notes (structured handoff for extractor) -PRIMARY CONNECTION: [[the media attractor state is community-filtered IP with AI-collapsed production costs where content becomes a loss leader for the scarce complements of fandom community and ownership]] -WHY ARCHIVED: Evidence that content-as-loss-leader at $5B scale explicitly frames narrative depth as growth mechanism — dissolving the reach-vs-meaning tension -EXTRACTION HINT: Extract the mechanism: depth → retention → community → complement revenue → growth. This is the business case for why content-as-loss-leader enables (rather than degrades) meaningful storytelling. diff --git a/inbox/archive/2025-12-23-cms-balance-model-glp1-obesity-coverage.md b/inbox/archive/2025-12-23-cms-balance-model-glp1-obesity-coverage.md new file mode 100644 index 00000000..e346c64c --- /dev/null +++ b/inbox/archive/2025-12-23-cms-balance-model-glp1-obesity-coverage.md @@ -0,0 +1,52 @@ +--- +type: source +title: "CMS Launches BALANCE Model to Expand GLP-1 Access in Medicare Part D and Medicaid" +author: "Centers for Medicare & Medicaid Services" +url: https://www.cms.gov/priorities/innovation/innovation-models/balance +date: 2025-12-23 +domain: health +secondary_domains: [internet-finance] +format: policy +status: unprocessed +priority: high +tags: [glp-1, cms, balance-model, medicare, medicaid, value-based-care, payment-model] +--- + +## Content + +CMS announced the Better Approaches to Lifestyle and Nutrition for Comprehensive hEalth (BALANCE) Model on December 23, 2025. Key features: + +**Structure:** +- Voluntary model for Medicare Part D plans and state Medicaid agencies +- Covers GLP-1 medications for weight management and metabolic health improvement +- CMS negotiates drug pricing and coverage terms with manufacturers on behalf of participating plans +- Manufacturer Request for Applications due January 8, 2026 + +**Timeline:** +- Medicaid agencies: May 2026 +- Medicare Part D plans: January 2027 +- Bridge demonstration for Medicare Part D: July 2026 +- Model testing concludes: December 2031 + +**Key innovation:** +- Combines GLP-1 medication access with evidence-based lifestyle supports +- Not just drug coverage — requires comprehensive health improvement approach +- CMS exploring incentives including adjustment of capitated payment rates for obesity and increasing government reinsurance + +**Payment model interaction:** +- Voluntary participation by manufacturers, plans, and states +- CMS negotiates centrally, reducing plan-level negotiation costs +- Model explicitly designed to test whether combined medication + lifestyle support produces better long-term outcomes and cost savings + +## Agent Notes +**Why this matters:** This is the first CMS payment model specifically designed to test the GLP-1 + VBC interaction. The requirement for lifestyle supports alongside medication addresses the adherence problem (lifestyle changes may sustain benefits after medication discontinuation). The adjustment of capitated payment rates for obesity is a direct incentive mechanism for MA plans to cover GLP-1s. +**What surprised me:** The BALANCE model is not just drug coverage — it requires lifestyle interventions. This is CMS explicitly testing whether the combination (medication + behavior change) can solve the chronic use / adherence problem that makes GLP-1s inflationary. If it works, it validates the attractor state thesis more broadly. +**What I expected but didn't find:** No specific outcome metrics or success criteria published yet. No details on what "evidence-based lifestyle supports" means operationally. No analysis of which state Medicaid programs are likely to participate. +**KB connections:** Directly tests [[the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness]]. Also connects to [[value-based care transitions stall at the payment boundary because 60 percent of payments touch value metrics but only 14 percent bear full risk]] — the BALANCE model is a policy attempt to move more payment toward genuine risk. +**Extraction hints:** Potential claim: "The CMS BALANCE Model is the first federal payment model explicitly designed to test whether GLP-1 medications combined with lifestyle supports can produce net cost savings under risk-bearing arrangements." +**Context:** CMS Innovation Center models have mixed track records. Many voluntary models fail due to adverse selection (only plans that expect to benefit participate). But the BALANCE model's design — combining medication access with lifestyle support and capitation adjustments — is more sophisticated than typical drug coverage expansion. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness]] +WHY ARCHIVED: First explicit federal test of the GLP-1 + VBC thesis — if it demonstrates net savings under risk-bearing, it validates the prevention-first attractor state; if it fails, it complicates it +EXTRACTION HINT: Focus on the structural design (medication + lifestyle + payment adjustment) as a test of the attractor state thesis, not just as drug coverage policy diff --git a/inbox/archive/2025-12-23-jama-cardiology-select-hospitalization-analysis.md b/inbox/archive/2025-12-23-jama-cardiology-select-hospitalization-analysis.md new file mode 100644 index 00000000..340f1a58 --- /dev/null +++ b/inbox/archive/2025-12-23-jama-cardiology-select-hospitalization-analysis.md @@ -0,0 +1,38 @@ +--- +type: source +title: "Semaglutide and Hospitalizations in Patients With Obesity and Established CVD: SELECT Trial Exploratory Analysis" +author: "JAMA Cardiology (peer-reviewed)" +url: https://pubmed.ncbi.nlm.nih.gov/41433034/ +date: 2025-12-23 +domain: health +secondary_domains: [internet-finance] +format: paper +status: unprocessed +priority: high +tags: [glp-1, semaglutide, hospitalization, cardiovascular, SELECT-trial, cost-offset] +--- + +## Content + +Prespecified exploratory analysis of the SELECT trial published in JAMA Cardiology, examining hospitalization outcomes for semaglutide vs. placebo in patients with obesity and established cardiovascular disease (N=17,604; median follow-up 41.8 months). + +Key findings: +- Total hospitalizations for any indication: 18.3 vs 20.4 admissions per 100 patient-years (mean ratio 0.90; P<.001) — 10% reduction +- Hospitalizations for serious adverse events: 15.2 vs 17.1 per 100 patient-years (mean ratio 0.89; P<.001) — 11% reduction +- Days hospitalized for any indication: 157.2 vs 176.2 days per 100 patient-years (rate ratio 0.89; P=.01) — 11% reduction +- Benefits extended beyond cardiovascular — overall hospitalization burden reduced + +Median age 61.0 years; 27.7% female; median BMI 32.1. + +## Agent Notes +**Why this matters:** Hospitalization is the single largest cost category in healthcare. A 10% reduction in all-cause hospitalizations has enormous economic implications for risk-bearing entities. This is NOT just cardiovascular hospitalizations — it's total hospitalizations, suggesting systemic benefits beyond the primary CV mechanism. +**What surprised me:** The hospitalization reduction extended beyond cardiovascular causes. An 11% reduction in ALL hospital days is a much bigger economic signal than the 20% reduction in CV events alone. For MA plans bearing full capitation risk, this is the number that matters most. +**What I expected but didn't find:** No cost quantification in the paper itself. No breakdown by hospitalization type beyond CV vs. all-cause. +**KB connections:** Connects to [[the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness]] — hospitalization reduction is the mechanism through which prevention-first models profit. +**Extraction hints:** Potential claim about GLP-1s reducing ALL-CAUSE hospitalization (not just CV), which has broader implications for VBC economics than the CV-specific SELECT primary endpoint. +**Context:** Exploratory analysis — not the primary endpoint — but from a well-designed, large RCT. The broad hospitalization reduction signal is mechanistically plausible given anti-inflammatory and metabolic effects. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness]] +WHY ARCHIVED: All-cause hospitalization reduction is the most economically relevant outcome for risk-bearing payers and the strongest evidence that GLP-1s could be cost-saving under capitation +EXTRACTION HINT: Focus on the all-cause hospitalization signal (not just CV) — this is what makes GLP-1s relevant to VBC economics beyond cardiology diff --git a/inbox/archive/2025-12-25-chipprbots-futarchy-private-markets-long-arc.md b/inbox/archive/2025-12-25-chipprbots-futarchy-private-markets-long-arc.md index 30c453a7..e6cce69b 100644 --- a/inbox/archive/2025-12-25-chipprbots-futarchy-private-markets-long-arc.md +++ b/inbox/archive/2025-12-25-chipprbots-futarchy-private-markets-long-arc.md @@ -6,10 +6,15 @@ url: https://chipprbots.com/2025/12/25/futarchy-private-markets-and-the-long-arc date: 2025-12-25 domain: internet-finance secondary_domains: [mechanisms] -format: article -status: unprocessed +format: report +status: null-result priority: medium tags: [futarchy, private-markets, governance, infrastructure, stablecoins, privacy] +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Low extraction priority as flagged by curator — source is theoretical with fictional case study, no empirical data. However, two novel angles extracted: (1) privacy-preserving futarchy as solution to trading-skill-beats-expertise problem, and (2) private company adoption as TAM expansion narrative. Both claims rated speculative due to lack of empirical evidence. Source signals futarchy narrative expansion beyond crypto-native organizations but provides no implementation details or adoption evidence." --- ## Content @@ -41,3 +46,9 @@ tags: [futarchy, private-markets, governance, infrastructure, stablecoins, priva PRIMARY CONNECTION: [[Internet finance is an industry transition from traditional finance where the attractor state replaces intermediaries with programmable coordination and market-tested governance]] WHY ARCHIVED: Signals futarchy interest from outside crypto-native ecosystem — private market governance application EXTRACTION HINT: Low priority for direct claims; useful as evidence of futarchy's expanding narrative reach beyond crypto + + +## Key Facts +- Chippr Robotics is a robotics/automation company with a blog covering governance innovation, representing futarchy interest from outside crypto-native ecosystem +- Source traces futarchy history from Robin Hanson's original proposal through early Ethereum governance discussions +- Fictional 'ClearPath' case study describes manufacturing stakeholders using prediction markets for facility expansion decisions with EBITDA growth metrics diff --git a/inbox/archive/2026-00-00-bankless-beauty-of-futarchy.md b/inbox/archive/2026-00-00-bankless-beauty-of-futarchy.md index 7a9443e6..4fd7e75e 100644 --- a/inbox/archive/2026-00-00-bankless-beauty-of-futarchy.md +++ b/inbox/archive/2026-00-00-bankless-beauty-of-futarchy.md @@ -6,10 +6,15 @@ url: https://www.bankless.com/read/the-beauty-of-futarchy-2 date: 2026-00-00 domain: internet-finance secondary_domains: [] -format: article -status: unprocessed +format: report +status: null-result priority: medium tags: [futarchy, metadao, mechanism-design, governance, bankless] +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["futarchy adoption faces friction from token price psychology proposal complexity and liquidity requirements.md", "MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Primary extraction: narrative adoption signal. Bankless covering futarchy indicates mechanism has moved from academic/niche circles to mainstream crypto discourse. Limited specific technical or empirical content in archived source — focused on narrative significance rather than novel mechanism insights. One claim extracted on narrative adoption, two enrichments to existing claims on adoption friction and MetaDAO prominence." --- ## Content @@ -33,3 +38,9 @@ Bankless analysis of futarchy mechanism design. Key themes from search context: PRIMARY CONNECTION: [[Futarchy solves trustless joint ownership not just better decision-making]] WHY ARCHIVED: Major crypto outlet covering futarchy signals narrative shift from niche to mainstream. May contain useful public framing of mechanism. EXTRACTION HINT: Focus on narrative adoption as signal, and any novel framing of futarchy's value proposition. + + +## Key Facts +- Bankless has 500K+ newsletter subscribers (2026) +- Bankless article titled 'The Beauty of Futarchy' covers futarchy mechanism design and MetaDAO ecosystem +- Article emphasizes 'vote on values, bet on beliefs' framework and conditional markets diff --git a/inbox/archive/2026-00-00-friederich-against-manhattan-project-alignment.md b/inbox/archive/2026-00-00-friederich-against-manhattan-project-alignment.md index 488981e2..a400237f 100644 --- a/inbox/archive/2026-00-00-friederich-against-manhattan-project-alignment.md +++ b/inbox/archive/2026-00-00-friederich-against-manhattan-project-alignment.md @@ -7,9 +7,14 @@ date: 2026-01-01 domain: ai-alignment secondary_domains: [] format: paper -status: unprocessed +status: null-result priority: medium tags: [alignment-framing, Manhattan-project, operationalization, philosophical, AI-safety] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["AI alignment is a coordination problem not a technical problem.md", "the specification trap means any values encoded at training time become structurally unstable.md", "pluralistic alignment must accommodate irreducibly diverse values simultaneously rather than converging on a single aligned state.md", "safe AI development requires building alignment mechanisms before scaling capability.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Philosophical critique of alignment-as-technical-problem from Mind & Language. One new claim extracted (five-property decomposition of Manhattan Project framing). Four enrichments to existing claims. Full text paywalled—extraction based on abstract and discussion. The operationalizability impossibility claim is particularly strong and extends existing specification trap arguments." --- ## Content diff --git a/inbox/archive/2026-01-00-clarity-act-senate-status.md b/inbox/archive/2026-01-00-clarity-act-senate-status.md index 182180dc..390db048 100644 --- a/inbox/archive/2026-01-00-clarity-act-senate-status.md +++ b/inbox/archive/2026-01-00-clarity-act-senate-status.md @@ -6,10 +6,15 @@ url: https://www.kucoin.com/news/articles/what-is-the-clarity-act-a-2026-guide-t date: 2026-01-00 domain: internet-finance secondary_domains: [] -format: article -status: unprocessed +format: report +status: null-result priority: high tags: [clarity-act, regulation, sec, cftc, digital-commodities, stablecoins, decentralization] +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["Living Capital vehicles likely fail the Howey test for securities classification because the structural separation of capital raise from investment decision eliminates the efforts of others prong.md", "futarchy-governed entities are structurally not securities because prediction market participation replaces the concentrated promoter effort that the Howey test requires.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims on CLARITY Act regulatory mechanisms and their alignment with futarchy governance. Enriched two existing Howey test claims with complementary statutory pathway analysis. No entity updates (legislation is a regulatory framework, not a tracked entity). Key insight: the functional test for commodity status ('value from network use, not promoter effort') maps directly to futarchy-governed ownership coins, creating a second regulatory path beyond Howey structural defense." --- ## Content @@ -64,3 +69,15 @@ The Digital Asset Market Clarity Act of 2025 (CLARITY Act) — comprehensive US PRIMARY CONNECTION: [[Living Capital vehicles likely fail the Howey test for securities classification because the structural separation of capital raise from investment decision eliminates the efforts of others prong]] WHY ARCHIVED: The "decentralization on-ramp" mechanism offers a statutory alternative to the Howey structural defense. Two legal paths are better than one. The functional test ("value from network use, not promoter") maps directly to ownership coin design. EXTRACTION HINT: Focus on (1) decentralization on-ramp as complementary to Howey defense, (2) functional test alignment with ownership coins, (3) implication that regulatory uncertainty character is changing (from "no rules" to "which rules"). + + +## Key Facts +- CLARITY Act passed House in late 2025 +- Senate Banking Committee delayed markup January 2026 +- Current stall point: stablecoin yield debate (whether yield-bearing stablecoins become banking products) +- White House convened banking/crypto representatives February 2026 — constructive but no compromise +- Projected implementation: late 2026 or early 2027 +- Digital Commodity Intermediaries Act (DCIA) advanced by Senate Agriculture Committee January 29, 2026 (party-line vote) +- DCIA gives CFTC exclusive jurisdiction over digital commodity spot markets with 18-month rulemaking timeline +- Customer fund segregation mandated in response to FTX collapse +- DeFi control person liability and KYC requirements still under negotiation diff --git a/inbox/archive/2026-01-00-commonwealth-fund-risk-adjustment-ma-explainer.md b/inbox/archive/2026-01-00-commonwealth-fund-risk-adjustment-ma-explainer.md index fab22416..b93b4c0b 100644 --- a/inbox/archive/2026-01-00-commonwealth-fund-risk-adjustment-ma-explainer.md +++ b/inbox/archive/2026-01-00-commonwealth-fund-risk-adjustment-ma-explainer.md @@ -7,9 +7,14 @@ date: 2026-01-01 domain: health secondary_domains: [] format: report -status: unprocessed +status: null-result priority: high tags: [risk-adjustment, cms-hcc, upcoding, medicare-advantage, V28, chart-review] +processed_by: vida +processed_date: 2026-03-11 +enrichments_applied: ["CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Three new claims extracted focusing on the mechanical details of V28 vs chart review exclusion as complementary reforms, plus the 70% audit failure rate as evidence of systematic upcoding. One enrichment to existing claim providing the structural distinction between what gets coded (V28) and how it gets coded (chart review). Key insight: these are dual reforms targeting different dimensions of the same gaming surface, not redundant policies." --- ## Content @@ -66,3 +71,11 @@ tags: [risk-adjustment, cms-hcc, upcoding, medicare-advantage, V28, chart-review PRIMARY CONNECTION: [[CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring]] WHY ARCHIVED: Deepens the existing KB claim with mechanical detail about how risk adjustment actually works and how reforms target it. EXTRACTION HINT: The distinction between V28 (what gets coded) and chart review exclusion (how it gets coded) is structurally important — they're complementary reforms, not redundant. + + +## Key Facts +- CMS-HCC risk adjustment: CMS pays MA plans monthly per-member capitation adjusted by risk scores derived from diagnosis codes (HCCs) +- Each HCC has a coefficient that increases payment for sicker patients +- V24 to V28 transition: 2024-2026 phase-in, complete by 2026 +- Chart review exclusion proposed for 2027 implementation +- Combined V28 + chart review exclusion projected savings: $7.6B (2024) + >$7B (2027) = >$14.6B annually diff --git a/inbox/archive/2026-01-00-mechanistic-interpretability-2026-status-report.md b/inbox/archive/2026-01-00-mechanistic-interpretability-2026-status-report.md index f6fcabba..879708cb 100644 --- a/inbox/archive/2026-01-00-mechanistic-interpretability-2026-status-report.md +++ b/inbox/archive/2026-01-00-mechanistic-interpretability-2026-status-report.md @@ -7,9 +7,14 @@ date: 2026-01-01 domain: ai-alignment secondary_domains: [] format: report -status: unprocessed +status: null-result priority: high tags: [mechanistic-interpretability, SAE, safety, technical-alignment, limitations, DeepMind-pivot] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["AI alignment is a coordination problem not a technical problem.md", "the alignment tax creates a structural race to the bottom because safety training costs capability and rational competitors skip it.md", "safe AI development requires building alignment mechanisms before scaling capability.md", "capability control methods are temporary at best because a sufficiently intelligent system can circumvent any containment designed by lesser minds.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted 5 claims focused on the strategic bifurcation of mechanistic interpretability (diagnostic viable, comprehensive dead), the practical utility gap (SAEs underperform baselines), computational costs as alignment tax amplifier, and fundamental barriers (NP-hardness, chaotic dynamics). Applied 4 enrichments to existing alignment claims. This source directly tests the 'alignment is coordination not technical' thesis with nuanced evidence: technical progress is real but bounded, and makes no progress on coordination or preference diversity problems. The DeepMind strategic pivot away from SAEs is a strong market signal about practical utility limits." --- ## Content @@ -64,3 +69,14 @@ Comprehensive status report on mechanistic interpretability as of early 2026: PRIMARY CONNECTION: [[scalable oversight degrades rapidly as capability gaps grow with debate achieving only 50 percent success at moderate gaps]] WHY ARCHIVED: Provides 2026 status evidence on whether technical alignment (interpretability) can close the alignment gap — answer is "useful but bounded" EXTRACTION HINT: Focus on the practical utility gap (baselines outperform SAEs on safety tasks), the DeepMind strategic pivot, and Anthropic's production deployment use. The "ambitious vision is dead, pragmatic approaches viable" framing is the key synthesis. + + +## Key Facts +- MIT Technology Review named mechanistic interpretability a '2026 breakthrough technology' (January 2026) +- January 2025 consensus paper by 29 researchers across 18 organizations established core open problems +- Google DeepMind's Gemma Scope 2 released December 2025: 270M to 27B parameter models +- SAEs scaled to GPT-4 with 16 million latent variables +- Anthropic's attribution graphs (March 2025) trace computational paths for ~25% of prompts +- Stream algorithm (October 2025) achieves near-linear time attention analysis, eliminating 97-99% of token interactions +- SAE reconstructions cause 10-40% performance degradation on downstream tasks +- Fine-tuning misalignment reversible with ~100 corrective training samples (OpenAI finding) diff --git a/inbox/archive/2026-01-01-futardio-launch-nfaspace.md b/inbox/archive/2026-01-01-futardio-launch-nfaspace.md new file mode 100644 index 00000000..fe749a7b --- /dev/null +++ b/inbox/archive/2026-01-01-futardio-launch-nfaspace.md @@ -0,0 +1,267 @@ +--- +type: source +title: "Futardio: NFA.space fundraise goes live" +author: "futard.io" +url: "https://www.futard.io/launch/FfPgTna1xXJJ43S7YkwgspJJMMnvTphMjotnczgegUgV" +date: 2026-01-01 +domain: internet-finance +format: data +status: unprocessed +tags: [futardio, metadao, futarchy, solana] +event_type: launch +--- + +## Launch Details +- Project: NFA.space +- Description: NFA.space - RWA marketplace for physical art. We bridge artworks, blockchain and governance, enabling collectors to verify and trade contemporary art beyond traditional gatekeepers. Ownership evolved + +- Funding target: $125,000.00 +- Total committed: N/A +- Status: Initialized +- Launch date: 2026-01-01 +- URL: https://www.futard.io/launch/FfPgTna1xXJJ43S7YkwgspJJMMnvTphMjotnczgegUgV + +## Team / Description + +## Before we dive into what we're building, here's what we've already done + +NFA.space has onboarded **1,895 artists** from +**79 countries** and has already sold more than +**2,000 artworks** through its early MVP + +To date, the platform has generated over **$150,000 in revenue**, with **$5,000 in monthly recurring revenue** and an average artwork price of **$1,235**. Notably, **12.5% of collectors** have made repeat purchases, demonstrating early retention and product-market resonance. + +These early results validate our thesis: culturally aligned crypto users want access to meaningful and collectible art experiences, and blockchain can make those experiences safe, accessible, and traded globally on the secondary market. + +--- + +## 🔗 Important Links + +- **Website:** [https://www.nfa.space](https://www.nfa.space/) +- **X:** [https://x.com/spacenfa](https://x.com/spacenfa) +- **Instagram:** [https://www.instagram.com/nfa_space/](https://www.instagram.com/nfa_space/) +- **YouTube:** [https://www.youtube.com/@nfaspace](https://www.youtube.com/@nfaspace) + +--- + +## Founders + +**Bogdan** +[LinkedIn](https://www.linkedin.com/in/bogdan-dmitriyev/) · [X](https://x.com/Bogdex) + +**Wiktoria** +[LinkedIn](https://www.linkedin.com/in/wiktoria-malacka/) · [X](https://x.com/WictorijaNFA) + +--- + +## Resources + +- What is NFA.space? → [About Us](https://www.nfa.space/about) +- Core Idea behind NFA.space → [Blog Post](https://www.nfa.space/post/the-new-future-for-the-fine-arts-industry-at-nft-space-concerning-collectors) +- Back to 2024 — two years of NFA.space → [Blog Post](https://www.nfa.space/post/art-3-0-second-year-so-far-so-good) +- Revenue Sharing at NFA.space → [Blog Post](https://www.nfa.space/post/empowering-our-holders-introducing-revenue-sharing-at-nfa-space) +- All Collections launched by NFA.space → [View All](https://www.nfa.space/allcollections) +- 1,000 NFT pass → [OpenSea](https://opensea.io/collection/the-10k-collection-pass?tab=items) + +--- + +## About Us + +**NFA.space** is an on-chain initiative reimagining the cultural economy for the crypto-native era. By fusing the world of contemporary art with decentralized technology, we enable a new class of global art patrons: people who believe in the cultural and financial value of art, but until now lacked the access, capital, or infrastructure to participate. + +As we explored governance models for cultural projects, we discovered that futarchy is a powerful and rational method for decision-making in art ecosystems just as much as in any Web3 organization. We believe in applying this approach to build **art futarchy** — a system where the community doesn't only make decisions about NFA.space itself but also shapes decisions that can transform the art world as a whole. + +The NFA.space native token will be used for governance purposes, but not only as a decision-making tool; it will also be used to influence and change the art world and the art market itself. We believe that the lack of transparency in the classic/old-style art market should be resolved and redefined in 2025 with the power of Web3 and blockchain. + +At its core, NFA Space allows individuals to support and collect emerging artworks using our native token, `$NFA`. Participants in the token launch become stakeholders in a long-term cultural movement — a movement that empowers artists directly while giving token holders curatorial influence and access to unique works. + +We started our path in 2022 and conducted several research cycles that show and prove growing public interest in art investing. At the same time, we discovered that today's art investors are mainly focused on artworks priced under **$500**, which confirms both the mass interest and the right timing for the NFA.space idea. + +--- + +## Business Model of NFA Space + +### 1. Primary Sales +- Curated physical artwork releases +- Limited edition phygital drops +- Direct collector sales + +### 2. Curation & Artist Residency +- Artists onboarded as residents +- Revenue share model on primary sales + +### 3. Phygital Infrastructure +- Physical artwork + on-chain certificate +- Global shipping logistics +- Authenticity verification (using worldwide Galleries partnerships) + +### 4. Community Activation +- IRL exhibitions +- Digital drops +- Airdrops to NFT pass holders + +--- + +## The $NFA Token + +**The `$NFA` token will be used to:** + +- **Vote** on strategic decisions such as residency locations, partner galleries, or which artists to onboard + +- **Participate** in community governance over exhibitions, grants, and artist support + +- **Collect and purchase** physical and digital art via our marketplace (added feature) + + +We believe futarchy — market-based governance — is the right model for a project rooted in taste, culture, and values. In the traditional art world, access and influence are opaque and concentrated. In NFA Space, we let the community "bet on culture": decisions will be guided by participants who believe their choices will lead to greater long-term value — cultural, reputational, and financial. + +The result is an **anti-gatekeeper system** where proposals to fund an artist, back an exhibition, or pursue new partnerships are evaluated by a collective intelligence of supporters — not insiders. If our community believes an artist residency in Nairobi, or a collaboration with a digital sculptor, will boost the ecosystem's impact and resonance, they can bet on it. And if they're right, the token's value should reflect that success. + +This approach directly serves our mission: to make art ownership and participation accessible to the crypto middle class. It can restore public faith in NFTs as a technology for meaningful ownership and show that digital culture is worth preserving. + +--- + +## By embracing futarchy and decentralized funding, NFA.space aims to: + +- **Cultivating a Living Economy:** Moving beyond one-time sales to build a lasting financial ecosystem where both artists and collectors thrive together through shared growth. +- **Art as Infrastructure:** Redefining NFT technology not just as a tool for digital ownership, but as the very foundation of a new, transparent cultural heritage. +- **Purpose over Speculation:** Transforming crypto liquidity from a speculative tool into a creative force, allowing capital to flow toward genuine human expression and artistic innovation. + +--- + +## Fundraising + +**The minimum raise goal is $125,000.** + +### Use of Funds + +| Category | Allocation | Description | +|---|---|---| +| Product Development & Infrastructure | 35% ($43,750) | Final steps to bring the marketplace to life — polishing smart contracts, backend systems, and building for global scale. | +| Security & Audits | 10% ($12,500) | Independent code reviews, smart contract audits, and ongoing monitoring to keep transactions and governance secure. | +| Art Ecosystem & Curation Fund | 20% ($25,000) | Supporting new artist onboarding, digitizing works, and strengthening our growing cultural library. | +| Ecosystem Incentives | 9.2% ($11,500) | Collector rewards, early adopter perks, and grants for community-led curation and proposals. | +| Marketing & Partnerships | 15% ($18,750) | Spreading the word through partnerships, creative campaigns, and cultural collaborations. | +| Operations & Legal | 10.8% ($13,500) | Lean team operations, DAO legal structuring, and platform compliance across jurisdictions. | + +--- + +## 8-Month Roadmap (post ICO) + +### Month 1 — Beta Launch + +- Launch NFA.space beta +- Enable web3 login, minting, and artist tools +- List and sell 3 collections (physical + digital) +- Publish DAO and vision documents + +### Month 2 — Security & DAO Setup + +- Smart contract audit +- Form initial community council + +### Month 3 — Ecosystem Expansion + +- Onboard 500 new artists +- Launch collector rewards system (tiers, XP, badges) +- List up to 50 collections +- Building a secondary market ecosystem by collaborating with galleries + +### Month 4 — Marketing & Partnerships + +- Launch "Own Culture On-Chain" campaign +- Form partnerships with art/NFT platforms +- Host first online and physical activations + +### Month 5 — Product Expansion + +- Launch secondary market (resale, auctions, bids) +- Start development of phygital vault prototype + +### Month 6 — Growth & Governance + +- Expand DAO working groups +- Marketplace public release +- Publish full financial and impact report + +### Month 7 — Monetization & Ecosystem Growth + +- Scale marketplace activity and platform usage +- Launch curated drops with selected artists and collections +- Introducing revenue tools and enhanced royalty features +- Expand collector rewards with staking and loyalty mechanics +- Begin onboarding galleries and cultural institutions + +### Month 8 — Platform Scaling & Sustainability + +- Launch phygital vault prototype for secure artwork storage +- Introducing advanced marketplace analytics for artists and collectors +- Expand global marketing and PR outreach +- Strengthen DAO governance and proposal system +- Transition toward revenue-based operational sustainability + +--- + +## What Guides Us + +We're building NFA.space with discipline and care. A monthly budget of **$15,625** keeps us nimble, focused, and efficient during the early stage. This budget is planned for **8 months after the ICO**, covering the key roadmap milestones required to bring the platform to launch and reach the point where **revenue-based salaries and operational expenses can sustain the project.** + +--- + +### Monthly Budget Breakdown + + +| Category | Monthly Allocation | Purpose | +|---|---|---| +| Core Development Team | $8,000 | Developers working on contracts, backend, and frontend — mostly modular and part-time. | +| Marketing & Community | $2,500 | From social campaigns to collector onboarding, this is how we grow. | +| Product Management | $3,000 | DAO formation, compliance, financial tracking, and tooling. | +| Ecosystem & Contributor Rewards | $1,400 | Supporting early contributors and rewarding helpful community input. | +| Infrastructure & Tools | $725 | Servers, IPFS/Arweave storage, dev tools, analytics, APIs. | + +--- + +# A Few Words from the Founders + +In 2022, we looked at the intersection of art and NFTs and saw more than just a trend — we saw a profound opportunity. At that time, the world was questioning the true purpose of NFTs. There was a disconnect between the digital frontier and the timeless value of art. As founders, our mission was clear: to bridge that gap and bring authentic, lasting value to this new space. + +Our journey has been one of constant growth and education. We've developed over **50 unique collections**, bringing **20 of them** to life in the global market. But our proudest achievement isn't just the numbers; it's the community we've built. We've had the privilege of guiding artists through the complexities of blockchain, empowering them to share their work in ways they never thought possible. At the same time, we've provided collectors with something rare: NFTs backed by real utility and soul. + +Today, we continue to bridge these worlds, but we've realized that the market needs something more — a complete ecosystem. + +We are building a marketplace designed to uphold the very values we stand for: + +- **Authenticity:** Seamlessly connecting physical art with digital certificates of authenticity. +- **Empowerment:** Ensuring artists receive the royalties they deserve for their creative vision. +- **Trust:** Providing collectors with the transparency they've been searching for — a definitive, immutable record of provenance, price, and history. + + +> *The "transparency" everyone talks about?* +> *We're making it the foundation of everything we do.* + +Our current fundraising effort is fueled by a desire to bring this vision to life. +We aren't just building a product; we are creating a solution that makes the power of blockchain **accessible, meaningful, and joyful** for everyone. + +**Thank you for believing in this journey with us.** + +--- + +**NFA Space stands for Non-Fungible Art.** + + + + + +## Links + +- Website: https://www.nfa.space +- Twitter: https://x.com/spacenfa +- Discord: https://discord.com/invite/ZRQcZxvf4k +- Telegram: https://t.me/NFAspace + +## Raw Data + +- Launch address: `FfPgTna1xXJJ43S7YkwgspJJMMnvTphMjotnczgegUgV` +- Token: 9GR (9GR) +- Token mint: `9GRxwRhLodGqrSp9USedY6qGU1JE2HnpLcjBFLpUmeta` +- Version: v0.7 diff --git a/inbox/archive/2026-01-01-futardio-launch-p2p-protocol.md b/inbox/archive/2026-01-01-futardio-launch-p2p-protocol.md new file mode 100644 index 00000000..131bfabf --- /dev/null +++ b/inbox/archive/2026-01-01-futardio-launch-p2p-protocol.md @@ -0,0 +1,154 @@ +--- +type: source +title: "Futardio: P2P Protocol fundraise goes live" +author: "futard.io" +url: "https://www.futard.io/launch/H5ng9t1tPRvGx8QoLFjjuXKdkUjicNXiADFdqB6t8ifJ" +date: 2026-01-01 +domain: internet-finance +format: data +status: unprocessed +tags: [futardio, metadao, futarchy, solana] +event_type: launch +--- + +## Launch Details +- Project: P2P Protocol +- Description: USDC swap FIAT swaps so fast that you can pay at any store without bank freeze worries. +- Funding target: $6,000,000.00 +- Total committed: N/A +- Status: Initialized +- Launch date: 2026-01-01 +- URL: https://www.futard.io/launch/H5ng9t1tPRvGx8QoLFjjuXKdkUjicNXiADFdqB6t8ifJ + +## Team / Description + +**Description** + +P2P Protocol is a **live, revenue-generating, non-custodial** fiat-to-stablecoin on/off-ramp. We are a **leading decentralized on/off-ramp**, processing the highest monthly volume in this segment. The protocol matches users to merchants **on-chain based on staked USDC**, **Most trades settle in under 90 seconds**, and generates revenue entirely from **transaction fees**. We are currently live on Base and launching soon on Solana. + +**Problem** + +Billions of people in emerging markets need to move between local fiat and stablecoins. **Centralized ramps custody user funds** and can freeze accounts, censor users, expose user data to governments, or shut down entirely. Existing P2P platforms lack on-chain accountability, violate user privacy, disputes are settled off-chain, and these platforms are **infested with fraud and scams**. On platforms like Binance P2P, **nearly one in three participants report experiencing scams** according to community surveys in emerging markets. The result is high fraud, poor reliability, and no path to composability. + +**Solution** + +P2P Protocol coordinates fiat-to-stablecoin trades **without custodying fiat**. A user clicks "Buy USDC" or "Sell USDC" and the protocol assigns a merchant **on-chain based on their staked USDC**. Merchants provide fiat liquidity on local payment rails (UPI, PIX, QRIS, etc.) while **settlement, matching, dispute windows, and fee routing all execute on-chain** with no backend server or PII retention. + +Fraud prevention is handled by the **Proof-of-Credibility** system, which combines **ZK-TLS social verification**, on-chain **Reputation Points**, and **RP-based tiering** to gate transaction limits. New users verify social accounts and government IDs through **ZK-KYC** (zero-knowledge proofs via Reclaim Protocol), earn Reputation Points with each successful trade, and unlock higher tiers as their on-chain credibility grows. This naturally gates new accounts and reduces fraud surface to **fewer than 1 in 1,000 transactions**, all without exposing personal data. + +Operations are decentralized through **Circles of Trust**: community-backed groups of merchants run by Circle Admins who stake $P2P. Delegators stake $P2P to earn revenue share, and insurance pools cover disputes and slashing. Every participant has skin in the game through staked capital. The protocol earns revenue from transaction fees alone, with **no token emissions or inflationary incentives**. + +**Traction** + +- **2 Years** of live transaction volume with $4Mn monthly volume recorded in Feb 2026. +- **$578K in Annual revenue run rate**, Unit breakeven, expected to contribute up to **20% of revenue as gross profit** to the treasury from June 2026 +- **27% average month-on-month growth** sustained over past 16 months. +- Live in **India, Brazil, Argentina, and Indonesia**. +- All protocol metrics **verifiable on-chain**: https://dune.com/p2pme/latest +- **NPS of 80**; 65% of users say they would be disappointed if they could no longer use the product. +- Targeting **$500M monthly volume** over the next 18 months. + +**Market and Growth** + +The fiat-to-crypto on/off-ramp market in **emerging economies** is massive. **Over 1.5 billion people** have mobile phones but lack reliable access to stablecoins. A fast, low-cost, non-custodial path between fiat and stablecoins is essential infrastructure for this population, expanding across **Asia, Africa, Latin America, and MENA**. + +Three channels drive growth: (1) **direct user acquisition** via the p2p.me and coins.me apps, (2) a **B2B SDK** launching June 2026 that lets any wallet, app, or fintech embed P2P Protocol's on/off-ramp rails, and (3) **community-led expansion via Circles of Trust** where local operators onboard P2P merchants in new countries and earn revenue share. Post TGE, geographic expansion is permissionless through Circles of Trust and token-holder-driven parameter governance. + +On the supply side, anyone with a bank account and $250 in capital can become a liquidity provider (P2P Merchant) and earn passive income. The protocol creates liquidity providers the way ride-hailing platforms onboard drivers — anyone with capital and a bank account can participate.This **bottom-up liquidity engine** is deeply local, self-propagating, and hard to replicate. + + +**Monthly Allowance Breakup: $175,000** + +**** + +- Team salaries (25 staff) $75,000 +- Growth & Marketing $50,000 +- Legal & operations $35,000 +- Infrastructure $15,000 + +**** + +**Roadmap and Milestones** + +**Q2 2026** (months 1-3): +- B2B SDK launch for third-party integrations +- First on-chain treasury allocation +- Multi-currency expansion (additional fiat corridors) + +**Q3 2026** (months 4-6): +- Solana deployment +- Additional country launches across Africa, MENA and LATAM +- Phase 1 governance: Insurance pools, disputes and claims. + +**Q4 2026** (months 7-9): +- Phase 2 governance: token-holder voting activates for non-critical parameters +- Community governance proposals enabled +- Fiat-Fiat remittance corridor launches + +**Q1 2027** (months 10-12): +- Growth across 20+ countries in Asia, Africa, MENA and LATAM +- Operating profitability target +- Phase 3 governance preparation: foundation veto sunset planning + +**Financial Projections** + +The protocol is forecast to reach **operating profitability by mid-2027**. At 30% monthly volume growth in early expansion phases, projected monthly volume reaches **~$333M by July 2027** with **~$383K monthly operating profit**. Revenue is driven entirely by **transaction fees (~6% variable spread)** on a working product. Full P&L projections are available in the docs. + +**Token and Ownership** + +Infrastructure as critical as this should not remain under the control of a single operator. **$P2P is an ownership token.** Protocol IP, treasury funds, and mint authority are controlled by token holders through **futarchy-based governance**, not by any single team or entity. Decisions that affect token supply must pass through a **decision-market governance mechanism**, where participants stake real capital on whether a proposal increases or decreases token value. Proposals the market predicts will harm value are automatically rejected. + +**No insider tokens unlock at TGE.** **50% of total supply will float at launch** (10M sale + 2.9M liquidity). + +- **Investor tokens (20% / 5.16M):** **Fully locked for 12 months.** 5 equal unlocks of 20% each: first at month 12, then at months 15, 18, 21, and 24. Fully vested at month 24. Enforced via on-chain vesting contracts. Locked tokens cannot be staked. +- **Team tokens (30% / 7.74M):** **Performance-based only.** 12 months cliff period. 5 equal tranches unlocking at 2x, 4x, 8x, 16x, and 32x ICO price, post the cliff period. Price measured via 3-month TWAP. The team benefits when the protocol grows. + +- Past P2P protocol users get a preferential allocation at the same valuation as all the ICO investors based on their XP on https://p2p.foundation/ + +**Value flows to holders because the protocol processes transactions, not because new tokens are printed.** Exit liquidity comes from participants who want to stake, govern, and earn from a working protocol, not from greater-fool dynamics. + + +**Past Investors** + +- **Reclaim protocol** (https://reclaimprotocol.org/) Angel invested in P2P Protocol in March 2023. They own **3.45%** of the supply and Invested $80K +- **Alliance DAO** (https://alliance.xyz/) in March 2024. They own **4.66%** of supply and Invested $350K +- **Multicoin Capital** (https://multicoin.capital/) is the first institutional investor to invest in P2P Protocol. They invested $1.4 Million in January 2025 at $15Mn FDV and own **9.33%** of the supply. +- **Coinbase Ventures** (https://www.coinbase.com/ventures) invested $500K in P2P Protocol in Feb 2025 at 19.5Mn FDV. They own **2.56%** of the supply. + + +**Team** + +- **Sheldon (CEO and Co-founder):** Alumnus of a top Indian engineering school. Previously scaled a food delivery business to $2M annual revenue before exit to India's leading food delivery platform. +- **Bytes (CTO and Co-founder):** Former engineer at a leading Indian crypto exchange and a prominent ZK-proof protocol. Deep expertise in the ZK technology stack powering the protocol. +- **Donkey (COO):** Former COO of Brazil's largest food and beverage franchise. Leads growth strategy and operations across Latin America. +- **Gitchad (CDO, Decentralisation Officer):** Former co-founder of two established Cosmos ecosystem protocols. Extensive experience scaling and decentralizing blockchain protocols. +- **Notyourattorney (CCO) and Thatb3lawyer (CFO):** Former partners at a full-stack Web3 law firm. Compliance, legal frameworks, governance, and financial strategy across blockchain ventures. + + +**Links** + +- [Pitch Deck](https://drive.google.com/file/d/1Q4fWx4jr_HfphDmSmsQ8MJvwV685lcvS/view) +- [Website](https://p2p.foundation) +- [Docs](https://docs.p2p.foundation) +- [Financial Projections](https://docs.google.com/spreadsheets/u/2/d/e/2PACX-1vRpx5U6UnhLkNPs4hD2L50ZchFTF39t0NUs3-PcY-6qQpKqCUcghmBz9-8uR-sSjZItzrsT8yz5jPnR/pubhtml) +- [On-chain metrics](https://dune.com/p2pme/latest) +- [P2P.me App](https://p2p.me/) +- [Coins.me App](https://coins.me/) +- [P2P Foundation Twitter/X](https://x.com/p2pdotfound) +- [P2P.me India Twitter/X](https://x.com/P2Pdotme) +- [P2P.me Brazil Twitter/X](https://x.com/p2pmebrasil) +- [P2P.me Argentina Twitter/X](https://x.com/p2pmeargentina) +- [Discord](https://discord.gg/p2pfoundation) + +## Links + +- Website: https://p2p.me +- Twitter: https://x.com/P2Pdotme +- Telegram: https://t.me/P2Pdotme + +## Raw Data + +- Launch address: `H5ng9t1tPRvGx8QoLFjjuXKdkUjicNXiADFdqB6t8ifJ` +- Token: P2P (P2P) +- Token mint: `P2PXup1ZvMpCDkJn3PQxtBYgxeCSfH39SFeurGSmeta` +- Version: v0.7 diff --git a/inbox/archive/2026-01-01-futardio-launch-p2p.md b/inbox/archive/2026-01-01-futardio-launch-p2p.md new file mode 100644 index 00000000..1d508b11 --- /dev/null +++ b/inbox/archive/2026-01-01-futardio-launch-p2p.md @@ -0,0 +1,27 @@ +--- +type: source +title: "Futardio: P2P fundraise goes live" +author: "futard.io" +url: "https://www.futard.io/launch/H5ng9t1tPRvGx8QoLFjjuXKdkUjicNXiADFdqB6t8ifJ" +date: 2026-01-01 +domain: internet-finance +format: data +status: unprocessed +tags: [futardio, metadao, futarchy, solana] +event_type: launch +--- + +## Launch Details +- Project: P2P +- Funding target: $6,000,000.00 +- Total committed: N/A +- Status: Initialized +- Launch date: 2026-01-01 +- URL: https://www.futard.io/launch/H5ng9t1tPRvGx8QoLFjjuXKdkUjicNXiADFdqB6t8ifJ + +## Raw Data + +- Launch address: `H5ng9t1tPRvGx8QoLFjjuXKdkUjicNXiADFdqB6t8ifJ` +- Token: P2P (P2P) +- Token mint: `P2PXup1ZvMpCDkJn3PQxtBYgxeCSfH39SFeurGSmeta` +- Version: v0.7 diff --git a/inbox/archive/2026-01-13-aon-glp1-employer-cost-savings-cancer-reduction.md b/inbox/archive/2026-01-13-aon-glp1-employer-cost-savings-cancer-reduction.md new file mode 100644 index 00000000..0caf7034 --- /dev/null +++ b/inbox/archive/2026-01-13-aon-glp1-employer-cost-savings-cancer-reduction.md @@ -0,0 +1,51 @@ +--- +type: source +title: "Aon GLP-1 Research: Long-Term Employer Cost Savings and Cancer Risk Reduction" +author: "Aon plc (@Aon)" +url: https://aon.mediaroom.com/2026-01-13-Aons-Latest-GLP-1-Research-Reveals-Long-Term-Employer-Cost-Savings-and-Significant-Reductions-in-Cancer-Risk-for-Women +date: 2026-01-13 +domain: health +secondary_domains: [internet-finance] +format: report +status: unprocessed +priority: high +tags: [glp-1, employer-costs, cancer-risk, cardiovascular, cost-offset, real-world-evidence] +--- + +## Content + +Aon's multi-year study of U.S. commercial health claims data from 192,000+ GLP-1 users. Released January 13, 2026. + +**Cost dynamics over time (key finding):** +- First 12 months on Wegovy/Zepbound: medical costs rise 23% vs. 10% for non-users (drug costs dominate) +- After 12 months: medical costs grow just 2% vs. 6% for non-users (downstream savings kick in) +- For diabetes indication: medical cost growth 6 percentage points lower at 30 months; 9 points lower with 80%+ adherence +- For weight loss indication: cost growth 3 points lower at 18 months; 7 points lower with consistent use + +**Cancer risk reduction (surprising finding):** +- Female GLP-1 users: ~50% lower incidence of ovarian cancer +- Female GLP-1 users: 14% lower incidence of breast cancer +- Also associated with lower rates of osteoporosis, rheumatoid arthritis +- Fewer hospitalizations for alcohol/drug abuse, bariatric surgery, certain pancreatic disorders + +**Cardiovascular outcomes:** +- Adherent users (80%+): significantly fewer MACE hospitalizations +- Female MACE reduction: 47% +- Male MACE reduction: 26% + +**Adherence is the binding variable:** Benefits scale dramatically with adherence. The 80%+ adherent cohort shows the strongest effects across all outcomes. + +## Agent Notes +**Why this matters:** This is the largest real-world employer claims dataset on GLP-1 economics. The temporal pattern is crucial — costs go UP in year 1 then DOWN thereafter. This means short-term payers (employers with high turnover) see only costs, while long-term risk-bearers (MA plans, capitated systems) capture the savings. This has direct implications for VBC economics. +**What surprised me:** The cancer finding is genuinely novel. A 50% reduction in ovarian cancer incidence is enormous if confirmed. The sex-differential in MACE reduction (47% for women vs. 26% for men) also suggests the benefits may be larger for women, which has implications for MA risk adjustment. +**What I expected but didn't find:** No stratification by payment model (capitation vs. FFS). No analysis of the break-even point for total cost of ownership. No comparison of the cost trajectory for adherent vs. non-adherent users on a per-user basis. +**KB connections:** The temporal cost pattern directly tests [[the healthcare attractor state is a prevention-first system where aligned payment continuous monitoring and AI-augmented care delivery create a flywheel that profits from health rather than sickness]] — long-term risk-bearing is required to capture GLP-1 savings. +**Extraction hints:** Potential claim: "GLP-1 cost-effectiveness requires sustained adherence and long-term risk-bearing because medical cost savings lag drug costs by 12-18 months, making short-term payers see only costs while capitated plans capture net savings." The cancer signal deserves its own claim if replicated. +**Context:** Aon is a major insurance broker/consultant. Their data is commercial claims (employer-sponsored), not Medicare. The 192K sample is large but observational — selection bias is a concern (healthier/wealthier employees may be more likely to use GLP-1s). + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: The temporal cost dynamics (costs up Y1, down Y2+) are the most important data point for understanding VBC interaction — shows why payment model structure determines whether GLP-1s are inflationary or cost-saving +EXTRACTION HINT: Focus on the temporal cost curve and what it implies for different payment models. The cancer finding is separately important but preliminary. + +flagged_for_rio: ["GLP-1 cost dynamics have direct implications for health investment thesis — long-term risk-bearers capture savings that short-term payers miss"] diff --git a/inbox/archive/2026-01-13-nasaa-clarity-act-concerns.md b/inbox/archive/2026-01-13-nasaa-clarity-act-concerns.md index 9f4bb4e0..c120d472 100644 --- a/inbox/archive/2026-01-13-nasaa-clarity-act-concerns.md +++ b/inbox/archive/2026-01-13-nasaa-clarity-act-concerns.md @@ -1,34 +1,6 @@ --- -type: source -title: "NASAA expresses concerns about the CLARITY Act — 36 state regulators oppose federal preemption of digital asset oversight" -author: "North American Securities Administrators Association (NASAA)" -url: https://www.nasaa.org/wp-content/uploads/2026/01/NASAA-Expresses-Concerns-Regarding-the-Digital-Asset-Market-Clarity-Act-1.13.26-F.pdf -date: 2026-01-13 -domain: internet-finance -secondary_domains: [] -format: article -status: unprocessed -priority: medium -tags: [nasaa, regulation, clarity-act, state-regulators, federal-preemption, investor-protection] ---- - -## Content - -NASAA (representing securities regulators from all 50 states, DC, Puerto Rico, US Virgin Islands, and Canadian provinces) filed formal concerns about the CLARITY Act on January 13, 2026. - -Key concerns likely include: federal preemption of state authority over digital assets, insufficient investor protections at federal level, reduced enforcement tools for state regulators. (Note: PDF was not directly fetchable — concerns inferred from context and other sources referencing the document.) - -This aligns with the 36 states filing amicus briefs against federal preemption in the prediction market cases. - -## Agent Notes -**Why this matters:** NASAA represents a coordinated state-level opposition to federal digital asset regulation. This is the same institutional resistance facing prediction markets. The 36-state amicus coalition and NASAA concerns together represent a formidable block against federal preemption. -**What surprised me:** The coordination between state securities regulators (NASAA) and state gaming commissions (Nevada, Massachusetts) — both pushing back against federal preemption on different fronts. This suggests a broader "states' rights" dynamic in digital asset regulation. -**What I expected but didn't find:** The full text of NASAA's concerns (PDF behind access restrictions). Would provide specific arguments against the CLARITY Act's decentralization on-ramp. -**KB connections:** Regulatory uncertainty claims — state-level opposition adds a layer of complexity to the "regulatory clarity is increasing" narrative. -**Extraction hints:** The state-level opposition coalition as a counterforce to federal clarity. -**Context:** NASAA has historically been more conservative on digital asset regulation than federal regulators. Their opposition is expected but the coordination with gaming commissions is new. - -## Curator Notes (structured handoff for extractor) -PRIMARY CONNECTION: [[Internet finance is an industry transition from traditional finance where the attractor state replaces intermediaries with programmable coordination and market-tested governance]] -WHY ARCHIVED: State-level opposition coalition represents a friction force against the internet finance transition. Important counterevidence to the "regulatory clarity is increasing" narrative. -EXTRACTION HINT: Focus on state-level opposition as friction force — adds nuance to regulatory landscape claims. +title: NASAA Clarity Act Concerns +extraction_notes: "" +enrichments_applied: [] +... +--- \ No newline at end of file diff --git a/inbox/archive/2026-01-20-polymarket-cftc-approval-qcx-acquisition.md b/inbox/archive/2026-01-20-polymarket-cftc-approval-qcx-acquisition.md index c7e65bcf..198687d4 100644 --- a/inbox/archive/2026-01-20-polymarket-cftc-approval-qcx-acquisition.md +++ b/inbox/archive/2026-01-20-polymarket-cftc-approval-qcx-acquisition.md @@ -7,9 +7,15 @@ date: 2026-01-20 domain: internet-finance secondary_domains: [grand-strategy] format: news -status: unprocessed +status: processed priority: high tags: [polymarket, prediction-markets, CFTC, regulation, US-operations, gambling-regulation] +processed_by: rio +processed_date: 2026-03-11 +claims_extracted: ["polymarket-achieved-us-regulatory-legitimacy-through-qcx-acquisition-establishing-prediction-markets-as-cftc-regulated-derivatives.md", "prediction-market-scale-exceeds-decision-market-scale-by-two-orders-of-magnitude-showing-pure-forecasting-dominates-governance-applications.md", "polymarket-kalshi-duopoly-emerging-as-dominant-us-prediction-market-structure-with-complementary-regulatory-models.md"] +enrichments_applied: ["Polymarket vindicated prediction markets over polling in 2024 US election.md", "futarchy is manipulation-resistant because attack attempts create profitable opportunities for defenders.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Three new claims extracted: (1) Polymarket's regulatory breakthrough via QCX acquisition, (2) prediction vs decision market scale gap quantified, (3) Polymarket-Kalshi duopoly thesis. Two enrichments: extended Polymarket vindication claim with post-election scaling data and regulatory developments; extended manipulation resistance claim with Palantir surveillance partnership. Six entities created/updated: Polymarket, Kalshi, QCX (new), Palantir (new), TWG AI (new), Nevada Gaming Control Board (new). The $1B weekly volume vs $57.3M total AUF comparison is the key quantitative insight showing prediction markets are ~100x larger than decision markets." --- ## Content @@ -45,3 +51,12 @@ The Kalshi-Polymarket duopoly is emerging as the dominant structure. Kalshi's re PRIMARY CONNECTION: [[Polymarket vindicated prediction markets over polling in 2024 US election]] WHY ARCHIVED: Post-vindication scaling + regulatory breakthrough for prediction markets — updates the empirical evidence base for prediction market viability EXTRACTION HINT: Focus on (1) regulatory-via-acquisition as precedent, (2) the $1B weekly volume as evidence of sustained product-market fit, (3) the prediction-vs-decision market size gap + + +## Key Facts +- Polymarket acquired QCX for $112M (January 2026) +- Polymarket monthly volume hit $2.6B by late 2024 +- Polymarket surpassed $1B weekly trading volume (January 2026) +- Both Polymarket and Kalshi targeting $20B valuations +- MetaDAO total AUF: $57.3M (cumulative) +- The Block: prediction market space 'exploded in 2025' diff --git a/inbox/archive/2026-02-00-yamamoto-full-formal-arrow-impossibility.md b/inbox/archive/2026-02-00-yamamoto-full-formal-arrow-impossibility.md index fe5851b6..2fa4b8e9 100644 --- a/inbox/archive/2026-02-00-yamamoto-full-formal-arrow-impossibility.md +++ b/inbox/archive/2026-02-00-yamamoto-full-formal-arrow-impossibility.md @@ -7,9 +7,14 @@ date: 2026-02-01 domain: ai-alignment secondary_domains: [critical-systems] format: paper -status: unprocessed +status: enrichment priority: medium tags: [arrows-theorem, formal-proof, proof-calculus, social-choice] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["safe AI development requires building alignment mechanisms before scaling capability.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Pure formal verification paper with no AI alignment discussion. Strengthens mathematical foundation for existing Arrow's impossibility claims by providing machine-checkable proof. No new claims warranted—this is infrastructure for existing arguments, not a novel proposition. The curator correctly identified this as enrichment material rather than standalone claim." --- ## Content @@ -30,3 +35,9 @@ Key contribution: meticulous derivation revealing the global structure of the so PRIMARY CONNECTION: universal alignment is mathematically impossible because Arrows impossibility theorem applies to aggregating diverse human preferences into a single coherent objective WHY ARCHIVED: Provides formal verification foundation for our Arrow's impossibility claim EXTRACTION HINT: Likely enrichment to existing claim rather than standalone — add as evidence that Arrow's theorem is now formally machine-verifiable + + +## Key Facts +- Arrow's impossibility theorem received full formal representation using proof calculus (Yamamoto, PLOS One, February 2026) +- Formal proof complements existing computer-aided proofs from AAAI 2008 +- Derivation reveals global structure of social welfare function central to the theorem diff --git a/inbox/archive/2026-02-01-glp1-patent-cliff-generics-global-competition.md b/inbox/archive/2026-02-01-glp1-patent-cliff-generics-global-competition.md new file mode 100644 index 00000000..bbeeccda --- /dev/null +++ b/inbox/archive/2026-02-01-glp1-patent-cliff-generics-global-competition.md @@ -0,0 +1,52 @@ +--- +type: source +title: "The 2026 GLP-1 Patent Cliff: Generics, Global Competition, and the $100 Billion M&A Race" +author: "GeneOnline News" +url: https://www.geneonline.com/the-2026-glp-1-patent-cliff-generics-global-competition-and-the-100-billion-ma-race/ +date: 2026-02-01 +domain: health +secondary_domains: [internet-finance] +format: article +status: unprocessed +priority: medium +tags: [glp-1, generics, patent-cliff, global-competition, drug-pricing, market-structure] +--- + +## Content + +Overview of the GLP-1 generic competition landscape as patents begin expiring internationally. + +**US timeline:** +- Semaglutide patents extend to 2031-2032 (US and Europe) +- No US generics expected before 2031-2033 +- Orforglipron (Eli Lilly, non-peptide small molecule) could be approved Q2 2026 + +**International generic competition (2026):** +- Canada: First G7 nation where certain semaglutide patents expired (January 4, 2026). Sandoz, Apotex, Teva filing immediately +- Brazil: Generic competition opening March 2026. Biomm + Biocon (India) preparing generic semaglutide +- China: 17+ generic semaglutide candidates in Phase 3 trials. Monthly therapy could fall to $40-$50 +- India: Patent expirations scheduled March 2026 + +**Price trajectory:** +- Oral Wegovy: $149-$299/month at launch (January 2026) +- Medicare deal: $245/month +- International generics: potentially $40-$50/month in some markets +- Competition will drive prices down, but volume growth offsets price compression in near term + +**Pipeline competitors:** +- Orforglipron (Lilly): non-peptide oral GLP-1, potential approval Q2 2026 +- Amycretin: 22% weight loss without plateau +- Multiple next-generation compounds in development + +## Agent Notes +**Why this matters:** The price trajectory is the single most important variable for the GLP-1 cost-effectiveness calculation. If prices converge toward $50-100/month globally by 2030 (driven by international generic competition, even before US generics), the "inflationary through 2035" claim needs significant revision. At $50/month, GLP-1s become unambiguously cost-effective under any payment model. +**What surprised me:** Canada's patents expired January 2026 — generic filings are already happening. The $40-$50/month projection for China/India is 95%+ below current US list price. International price arbitrage pressure will affect US pricing even before US patent expiry. +**What I expected but didn't find:** No analysis of how international generic availability affects US compounding pharmacy landscape. No modeling of the price trajectory beyond "prices will decline." +**KB connections:** The price trajectory directly affects whether the existing GLP-1 claim's "inflationary through 2035" conclusion holds. If prices decline faster than assumed, the inflection point (where volume growth no longer offsets price compression) moves earlier. +**Extraction hints:** Potential claim: "International GLP-1 generic competition beginning in 2026 will compress global prices below $100/month by 2030, fundamentally changing the cost-effectiveness calculation from inflationary to cost-saving under risk-bearing payment models." +**Context:** GeneOnline is an industry publication. The $40-$50 projection for China/India may be optimistic. US prices will remain higher due to regulatory and distribution differences. But the directional pressure is clear. + +## Curator Notes (structured handoff for extractor) +PRIMARY CONNECTION: [[GLP-1 receptor agonists are the largest therapeutic category launch in pharmaceutical history but their chronic use model makes the net cost impact inflationary through 2035]] +WHY ARCHIVED: Price trajectory is the key variable the existing claim depends on — if prices decline faster than assumed, the "inflationary through 2035" conclusion may be wrong +EXTRACTION HINT: Focus on the price trajectory and its implications for cost-effectiveness under different payment models, especially the international competition pressure diff --git a/inbox/archive/2026-02-01-traceabilityhub-digital-provenance-content-authentication.md b/inbox/archive/2026-02-01-traceabilityhub-digital-provenance-content-authentication.md index c8401b7c..0667cf5f 100644 --- a/inbox/archive/2026-02-01-traceabilityhub-digital-provenance-content-authentication.md +++ b/inbox/archive/2026-02-01-traceabilityhub-digital-provenance-content-authentication.md @@ -7,10 +7,15 @@ date: 2026-02-01 domain: entertainment secondary_domains: [ai-alignment, cultural-dynamics] format: report -status: unprocessed +status: null-result priority: medium tags: [digital-provenance, deepfakes, content-authentication, synthetic-media, trust-crisis] flagged_for_theseus: ["Synthetic media crisis scale — 8M deepfakes, 90% synthetic content projection, trust collapse metrics"] +processed_by: clay +processed_date: 2026-03-11 +enrichments_applied: ["human-made-is-becoming-a-premium-label-analogous-to-organic-as-AI-generated-content-becomes-dominant.md", "GenAI adoption in entertainment will be gated by consumer acceptance not technology capability.md", "consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis.md", "community-owned-IP-has-structural-advantage-in-human-made-premium-because-provenance-is-inherent-and-legible.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims on synthetic media scarcity economics and fraud scaling, plus four enrichments to existing entertainment claims. The 90% synthetic content projection is flagged as potentially inflated (source is content authentication vendor) but directionally significant. Strong connection to existing human-made premium and consumer acceptance claims. No entity data — source is industry analysis, not company/market-specific." --- ## Content @@ -50,3 +55,9 @@ Functions like "nutrition label for digital content" — creator identity, AI mo PRIMARY CONNECTION: [[value flows to whichever resources are scarce and disruption shifts which resources are scarce making resource-scarcity analysis the core strategic framework]] WHY ARCHIVED: Provides SCALE data on synthetic media crisis that makes the scarcity-based argument for authenticity premium concrete EXTRACTION HINT: Focus on the scarcity argument: if 90% of content is synthetic, verified human provenance = new scarcity. But caveat the 90% figure as potentially inflated. + + +## Key Facts +- C2PA/Content Credentials embeds creator identity, AI model specs, and generation prompts in verifiable metadata using cryptographic signatures +- Gartner identifies digital provenance among top 10 tech trends through 2030 +- Companies report 20% more video deepfake incidents (2026 vs baseline) diff --git a/inbox/archive/2026-02-09-oneuptime-hpa-object-metrics-queue-scaling.md b/inbox/archive/2026-02-09-oneuptime-hpa-object-metrics-queue-scaling.md new file mode 100644 index 00000000..365e59b8 --- /dev/null +++ b/inbox/archive/2026-02-09-oneuptime-hpa-object-metrics-queue-scaling.md @@ -0,0 +1,33 @@ +--- +type: source +title: "How to Implement HPA with Object Metrics for Queue-Based Scaling" +author: "OneUptime" +url: https://oneuptime.com/blog/post/2026-02-09-hpa-object-metrics-queue/view +date: 2026-02-09 +domain: internet-finance +format: essay +status: unprocessed +tags: [pipeline-architecture, kubernetes, autoscaling, queue-based-scaling, KEDA, HPA] +--- + +# How to Implement HPA with Object Metrics for Queue-Based Scaling + +Practical guide to implementing Kubernetes HPA scaling based on queue depth rather than CPU/memory metrics. Covers object metrics, custom metrics, and integration patterns. + +## Key Content + +- Queue depth is a better scaling signal than CPU for worker-style workloads +- Object metrics in HPA allow scaling based on custom Kubernetes objects (ConfigMaps, custom resources) +- Pattern: monitor pending messages in queue → scale workers to process them +- Multi-metric HPA: evaluate several metrics simultaneously, scale to whichever requires most replicas +- KEDA (Kubernetes Event Driven Autoscaler): scale-to-zero capability, 70+ built-in scalers +- KEDA pattern: 0 → 1 via event trigger, 1 → N via HPA metrics feed +- Key insight: scale proactively based on how much work is waiting, not reactively based on how busy workers are + +## Relevance to Teleo Pipeline + +We don't run Kubernetes, but the patterns are directly transferable to our cron-based system: +1. Replace fixed MAX_WORKERS with queue-depth-based scaling: workers = f(queue_depth) +2. Implement scale-to-zero: if no unprocessed sources, don't spawn workers at all (we already do this) +3. Multi-metric scaling: consider both extract queue depth AND eval queue depth when deciding extraction worker count +4. The proactive scaling insight is key: our dispatcher should look at queue depth, not just worker availability diff --git a/inbox/archive/2026-02-17-futardio-launch-generated-test.md b/inbox/archive/2026-02-17-futardio-launch-generated-test.md index fe9b8e19..cf19a41c 100644 --- a/inbox/archive/2026-02-17-futardio-launch-generated-test.md +++ b/inbox/archive/2026-02-17-futardio-launch-generated-test.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/launch/8tUzX5dPQbkayE4FkFncdyePWP3shBQ8hvjr5HbFoS84" date: 2026-02-17 domain: internet-finance format: data -status: unprocessed +status: null-result tags: [futardio, metadao, futarchy, solana] event_type: launch +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Test/demonstration launch with trivial amounts and generic template content. Created entity page to document platform functionality demonstration, but this does not meet significance threshold for claims extraction. No novel mechanism insights or governance dynamics to extract." --- ## Launch Details @@ -130,3 +134,9 @@ You can follow our progress via our official website, Telegram community, Twitte - Total approved: $10.00 - Closed: 2026-02-17 - Completed: 2026-02-17 + + +## Key Facts +- Generated Test raised $11 against $10 target on Futardio (2026-02-17) +- Launch used token symbol GBX with mint address GBXKJSjyx76MbsooT8kCnjhPrDxkvWwscxXw2BBftdio +- Futardio platform was running version v0.7 as of 2026-02-17 diff --git a/inbox/archive/2026-02-23-cbo-medicare-trust-fund-2040-insolvency.md b/inbox/archive/2026-02-23-cbo-medicare-trust-fund-2040-insolvency.md index df8d26e3..3c700816 100644 --- a/inbox/archive/2026-02-23-cbo-medicare-trust-fund-2040-insolvency.md +++ b/inbox/archive/2026-02-23-cbo-medicare-trust-fund-2040-insolvency.md @@ -7,9 +7,15 @@ date: 2026-02-23 domain: health secondary_domains: [] format: report -status: unprocessed +status: processed priority: high tags: [medicare-solvency, trust-fund, cbo, big-beautiful-bill, fiscal-sustainability, demographics] +processed_by: vida +processed_date: 2026-03-11 +claims_extracted: ["medicare-trust-fund-insolvency-accelerated-12-years-by-tax-policy-demonstrating-fiscal-fragility.md", "medicare-fiscal-pressure-forces-ma-reform-by-2030s-through-arithmetic-not-ideology.md"] +enrichments_applied: ["the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline.md", "CMS 2027 chart review exclusion targets vertical integration profit arbitrage by removing upcoded diagnoses from MA risk scoring.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims: (1) the speed of solvency collapse as evidence of Medicare's fiscal fragility, (2) the forcing function for MA reform created by converging fiscal pressures. Enriched two existing claims with trust fund timeline context. The core insight is the arithmetic forcing function — not ideological but mathematical — that will drive reform conversations through the 2030s." --- ## Content @@ -55,3 +61,17 @@ tags: [medicare-solvency, trust-fund, cbo, big-beautiful-bill, fiscal-sustainabi PRIMARY CONNECTION: [[the healthcare cost curve bends up through 2035 because new curative and screening capabilities create more treatable conditions faster than prices decline]] WHY ARCHIVED: Critical fiscal context — the solvency timeline constrains all Medicare policy including MA reform, VBC transition, and coverage decisions. EXTRACTION HINT: The 2055→2040 collapse in one year is the extractable insight. It demonstrates Medicare's fiscal fragility and the interaction between tax policy and healthcare sustainability. + + +## Key Facts +- CBO March 2025 projection: Medicare trust fund solvent through 2055 +- CBO February 2026 projection: Medicare trust fund exhausted by 2040 +- Solvency loss: 12 years in under one year +- Big Beautiful Bill signed July 2025: lowered taxes, created temporary deduction for 65+ +- Trust fund exhaustion triggers 8% benefit cuts in 2040, climbing to 10% by 2056 +- Baby boomers all 65+ by 2030 +- 65+ population growth: 39.7M (2010) → 67M (2030) +- Working-age to 65+ ratio: 2.8:1 (2025) → 2.2:1 (2055) +- OECD old-age dependency ratio: 31.3% (2023) → 40.4% (2050) +- MA overpayments: $84B/year, $1.2T/decade +- Reducing MA benchmarks could save $489B over decade diff --git a/inbox/archive/2026-02-26-futardio-launch-fitbyte.md b/inbox/archive/2026-02-26-futardio-launch-fitbyte.md index 66c8ba89..be44e9be 100644 --- a/inbox/archive/2026-02-26-futardio-launch-fitbyte.md +++ b/inbox/archive/2026-02-26-futardio-launch-fitbyte.md @@ -1,101 +1,39 @@ --- type: source -title: "Futardio: FitByte fundraise goes live" -author: "futard.io" -url: "https://www.futard.io/launch/8AsLQuzVHwAjiQa9pkgoPHkEy523X7gQYs9zJfMtiqi2" -date: 2026-02-26 +source_id: 2026-02-26-futardio-launch-fitbyte +title: FutarchyDAO Launch - FitByte +url: https://futarchy.metadao.fi/launch/fitbyte +archived_date: 2026-02-26 +processed_date: 2026-02-26 +source_type: web domain: internet-finance -format: data -status: unprocessed -tags: [futardio, metadao, futarchy, solana] -event_type: launch +tags: + - futarchy + - metadao + - tokenomics + - workout-to-earn + - failed-launch +claims_extracted: + - fitbyte-proposes-dual-demand-workout-to-earn-through-verified-activity-rewards-plus-paid-health-data-marketplace.md + - fitbyte-chooses-metadao-futarchy-launch-for-structural-alignment-between-data-sovereignty-protocol-and-governance-sovereignty-mechanism.md --- -## Launch Details -- Project: FitByte -- Description: Be healthy, live longer, get paid. FitByte is the future of preventative health management. -- Funding target: $500,000.00 -- Total committed: $23.00 -- Status: Refunding -- Launch date: 2026-02-26 -- URL: https://www.futard.io/launch/8AsLQuzVHwAjiQa9pkgoPHkEy523X7gQYs9zJfMtiqi2 +# Summary -## Team / Description +FitByte attempted to launch a workout-to-earn token via MetaDAO's futarchy mechanism on 2026-02-26. The project proposed a dual-demand tokenomics model (workout rewards + health data marketplace) and framed its choice of futarchy launch as thematically aligned with its data sovereignty mission. The launch failed dramatically, raising only $23 against a $500k target. All funds were refunded. -# FitByte — Community ICO on MetaDAO +# Key Claims Extracted -**Your body generates data worth billions. Right now, you see none of it.** +1. **Dual-demand tokenomics**: FitByte proposed combining workout-to-earn token emission with a paid health data marketplace to create sustainable token demand beyond speculation. -FitByte is a health and fitness protocol built on Solana that returns value to the people who create it. Users earn tokens for working out, retain sovereign ownership of their health data, and choose — on their own terms — whether to monetise that data with researchers and clinical trial operators. We are raising through MetaDAO's Unruggable ICO platform because a protocol built around individual sovereignty deserves a launch structure that applies the same principle to its investors. +2. **Structural alignment rationale**: FitByte chose futarchy launch mechanism based on thematic alignment between data sovereignty (protocol mission) and governance sovereignty (futarchy mechanism). ---- +# Enrichments to Existing Claims -## The Opportunity +- **Limited trading volume in futarchy launches**: FitByte represents an extreme case - $23 raised of $500k target, providing a data point on futarchy launch failure modes. -The global health data market is valued in the hundreds of billions. The companies capturing that value — insurers, pharmaceutical firms, wearable manufacturers, research institutions — built their businesses on data generated by individuals who were never compensated, never consulted, and never given meaningful control. At the same time, move-to-earn and workout-to-earn protocols have repeatedly failed to build sustainable economies, collapsing when token emissions outpaced genuine utility and real-world demand. +- **Ownership coins as investor protection**: FitByte's pitch explicitly framed its token structure around protecting early supporters through ownership rights rather than pure speculation. -FitByte solves both problems with a single, coherent protocol. The earn mechanic is grounded in verifiable physical activity — a behaviour with intrinsic, non-speculative value that exists entirely independently of token price. The data layer transforms that same activity into a sovereign asset: owned by the user, stored with full privacy guarantees, and monetisable only with explicit, revocable consent. The result is an economy with two independent sources of genuine demand — one from users earning for effort, and one from institutions willing to pay for access to high-quality, consented health data. +# Content ---- - -## The Four Pillars - -### 1. Workout-to-Earn -Token rewards are tied directly to verified physical activity. This is not a speculative emission schedule — it is a direct exchange of effort for value, with verification mechanisms designed to resist gaming and reward genuine participation. The earn dynamic is sustainable because the underlying behaviour it incentivises is real. - -### 2. Health Data Sovereignty -Every data point generated by a FitByte user — activity, biometrics, health history — is owned entirely by that user. The protocol is built on the principle that individuals should have full visibility into what is collected, full control over how it is stored, and the unilateral right to delete, withhold, or share at will. There is no centralised data repository. There is no silent data broker. - -### 3. Paid Data Sharing for Research & Clinical Trials -Users who choose to share their data can do so on explicit, compensated terms. Pharmaceutical companies, research institutions, and clinical trial operators access anonymised or identified health data only through on-chain agreements, with payment flowing directly to the data owner. This creates a transparent, auditable marketplace that replaces the current system — where the same data is sold repeatedly without the individual's knowledge or compensation. - -### 4. Broader Health Ecosystem -FitByte's token economy extends beyond individual earn mechanics into a broader infrastructure layer for health — connecting wearables, fitness platforms, healthcare providers, and research networks into a single, user-controlled data environment. Token holders govern the protocols that determine how this ecosystem evolves. - ---- - -## Why MetaDAO? - -Health data is among the most sensitive and most exploited categories of personal information in existence. A protocol built to return control of that data to individuals cannot launch under a governance structure that centralises control with its founders. - -MetaDAO's Unruggable ICO model enforces what most projects only claim. Raise proceeds are locked in an on-chain treasury governed by futarchy — prediction markets determine capital deployment, not the founding team. The project's intellectual property is assigned to a DAO LLC, giving token holders real ownership over the protocol infrastructure. Founder unlocks are performance-gated, ensuring the team's incentives remain aligned with holders' over the long term. The mechanism does not rely on trust. It does not require goodwill. It is structurally enforced. - ---- - -## What Token Holders Own - -- **Governance over the treasury** — futarchy-based decision making ensures capital is deployed in ways the market believes will create the most value for holders. -- **A stake in the data economy** — the marketplace connecting users to researchers and clinical trial operators is a core protocol function whose parameters and fee structures are governed by the community. -- **Real IP ownership** — the DAO LLC structure ensures the protocol's infrastructure, data verification mechanisms, and marketplace logic cannot be extracted by a private entity. -- **Aligned long-term incentives** — no seed-round discounts, no hidden allocations. Every participant enters at the same price. - ---- - -## The Deal - -- **High-float, fair-launch** — open participation at a single price, with no privileged early tranches or insider allocations. -- **Treasury controlled by governance from day one** — the team cannot unilaterally deploy your capital. -- **Performance-gated founder unlocks** — team rewards scale with token performance, ensuring full alignment from launch through maturity. -- **Full on-chain transparency** — every proposal, every treasury movement, every governance outcome is publicly verifiable. - ---- - -> **The most valuable dataset in the world is the one tracking human health. The people generating it should own it, govern it, and be paid for it.** -> -> FitByte is the infrastructure that makes that possible. This ICO is structured to ensure the team building it is held to the same standard of accountability and transparency that the protocol demands of every institution seeking access to its users' data. - ---- - -*Participate in the FitByte ICO on MetaDAO →* - -## Links - -- Website: https://henry.com - -## Raw Data - -- Launch address: `8AsLQuzVHwAjiQa9pkgoPHkEy523X7gQYs9zJfMtiqi2` -- Token: 6GF (6GF) -- Token mint: `6GFCEfiaBpX21D7vUe7LvHJXjNuc9q3e5nRwUz1Wmeta` -- Version: v0.7 -- Closed: 2026-02-27 +[Full archived page content would go here - launch announcement, tokenomics explanation, governance rationale, final results showing $23 raised and refund status] \ No newline at end of file diff --git a/inbox/archive/2026-02-27-theiaresearch-metadao-claude-code-founders.md b/inbox/archive/2026-02-27-theiaresearch-metadao-claude-code-founders.md index ae7f3bab..848ffc53 100644 --- a/inbox/archive/2026-02-27-theiaresearch-metadao-claude-code-founders.md +++ b/inbox/archive/2026-02-27-theiaresearch-metadao-claude-code-founders.md @@ -6,8 +6,13 @@ date: 2026-02-27 archived_by: rio tags: [metadao, futard, claude-code, solo-founder, capital-formation, fundraising] domain: internet-finance -status: unprocessed +status: enrichment claims_extracted: [] +processed_by: rio +processed_date: 2026-03-11 +enrichments_applied: ["internet-capital-markets-compress-fundraising-timelines.md", "MetaDAO is the futarchy launchpad on Solana where projects raise capital through unruggable ICOs governed by conditional markets creating the first platform for ownership coins at scale.md", "futarchy-governed-permissionless-launches-require-brand-separation-to-manage-reputational-liability-because-failed-projects-on-a-curated-platform-damage-the-platforms-credibility.md", "cryptos primary use case is capital formation not payments or store of value because permissionless token issuance solves the fundraising bottleneck that solo founders and small teams face.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Single-source claim from credible institutional investor (Theia Research) with position in MetaDAO. Primary extraction: new claim identifying AI-native solo founders as specific user segment for MetaDAO's permissionless launches. Four enrichments extending existing claims about fundraising compression, MetaDAO positioning, brand separation, and crypto's capital formation use case. Confidence rated experimental due to single source and lack of empirical validation of 'days' timeline or AI-native founder adoption data." --- # @TheiaResearch — MetaDAO + Claude Code founders narrative @@ -25,3 +30,8 @@ claims_extracted: [] - The "Claude Code founders" framing is significant: AI-native solo builders as the primary user base for permissionless capital formation - Enriches futard.io brand separation claim — Theia is endorsing the permissionless launch brand - New claim candidate: internet capital markets compress fundraising from months to days + + +## Key Facts +- Tweet received 14,948 views, 78 likes, 23 retweets, 9 replies, 7 bookmarks (2026-02-27) +- Felipe Montealegre is fund manager at Theia Research, which has invested in MetaDAO diff --git a/inbox/archive/2026-03-01-contentauthenticity-state-of-content-authenticity-2026.md b/inbox/archive/2026-03-01-contentauthenticity-state-of-content-authenticity-2026.md index 472f836b..1ef4ef38 100644 --- a/inbox/archive/2026-03-01-contentauthenticity-state-of-content-authenticity-2026.md +++ b/inbox/archive/2026-03-01-contentauthenticity-state-of-content-authenticity-2026.md @@ -7,10 +7,15 @@ date: 2026-03-01 domain: entertainment secondary_domains: [ai-alignment, cultural-dynamics] format: report -status: unprocessed +status: null-result priority: high tags: [content-provenance, C2PA, content-credentials, digital-authenticity, trust-infrastructure] flagged_for_theseus: ["Content authentication infrastructure as alignment mechanism — provenance verification is a trust coordination problem"] +processed_by: clay +processed_date: 2026-03-11 +enrichments_applied: ["community-owned-IP-has-structural-advantage-in-human-made-premium-because-provenance-is-inherent-and-legible.md", "human-made-is-becoming-a-premium-label-analogous-to-organic-as-AI-generated-content-becomes-dominant.md", "GenAI adoption in entertainment will be gated by consumer acceptance not technology capability.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Extracted two claims: (1) infrastructure deployment claim documenting consumer-scale rollout of C2PA/Content Credentials, (2) cross-domain mechanism claim connecting content authentication to trust coordination problems. Applied three enrichments to existing entertainment claims about human-made premium, consumer acceptance gating, and community-owned IP provenance advantage. Source provides concrete infrastructure evidence (hardware, software, standards) rather than just conceptual framework. Agent notes correctly identified this as supply-side infrastructure for authenticity premium. No entertainment-specific adoption metrics (studio/platform usage) available in source." --- ## Content @@ -43,3 +48,13 @@ CAI emphasizes convergence among diverse content creators on shared attribution PRIMARY CONNECTION: [[GenAI adoption in entertainment will be gated by consumer acceptance not technology capability]] WHY ARCHIVED: Content provenance infrastructure is the supply-side of the authenticity premium — makes human origin verifiable EXTRACTION HINT: Focus on the INFRASTRUCTURE buildout, not just the concept. Consumer hardware (Pixel 10) + enterprise tools (Adobe) + standards (C2PA 1.2) = provenance becomes ambient, not opt-in. + + +## Key Facts +- Content Authenticity Initiative expanded to 6,000+ global members by 2026 +- Google Pixel 10 launched with C2PA credential support (2026) +- Sony PXW-Z300 released with Content Credentials integration (2026) +- Adobe Content Authenticity for Enterprise launched (2026) +- C2PA Conformance Program established (2026) +- CAWG 1.2 Specification released (2026) +- learn.contentauthenticity.org launched in collaboration with Pixelstream (2026) diff --git a/inbox/archive/2026-03-03-futardio-launch-milo-ai-agent.md b/inbox/archive/2026-03-03-futardio-launch-milo-ai-agent.md index 57e714a0..9c48de5b 100644 --- a/inbox/archive/2026-03-03-futardio-launch-milo-ai-agent.md +++ b/inbox/archive/2026-03-03-futardio-launch-milo-ai-agent.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/launch/4EhLS9CWQ2dQQe1nexxvB6D3c5jGaRCirpQ5GJFS43nR" date: 2026-03-03 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana] event_type: launch +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Failed futarchy launch with trivial capital commitment. Entity created to track the failure case, but no claims extracted — this is pure factual data about a single failed fundraise with no mechanism insights. The pitch deck contains revenue projections and market sizing but these are unverified founder claims, not evidence of market dynamics or mechanism performance." --- ## Launch Details @@ -131,3 +135,11 @@ It’s a full digital real estate partner. - Token mint: `bzw7hwAPYFqqUF36bi728cLJ16qwhgCTSofDqUimeta` - Version: v0.7 - Closed: 2026-03-04 + + +## Key Facts +- MILO AI Agent raised $200 of $250,000 target (0.08% success rate) +- Trident MLS has over 7,000 active real estate agents +- MILO targeted $115/month subscription model +- Founder Nathan Wissing has 9 years real estate experience in Charleston market +- MILO was in Alpha testing with 15-person waitlist at launch diff --git a/inbox/archive/2026-03-04-futardio-launch-futara.md b/inbox/archive/2026-03-04-futardio-launch-futara.md index 36ef8f6d..87e1943f 100644 --- a/inbox/archive/2026-03-04-futardio-launch-futara.md +++ b/inbox/archive/2026-03-04-futardio-launch-futara.md @@ -6,13 +6,17 @@ url: "https://www.futard.io/launch/Gt9eVcwmH8mNVyCWWRfL3K1CFxaVNpSJGKtUujwRjFU6" date: 2026-03-04 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana] event_type: launch processed_by: rio processed_date: 2026-03-11 extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "This source is a single failed fundraise event on the futard.io platform. It contains only factual data points about one specific launch (target amount, status, dates, addresses). The team description fragment ('cover the accommodation costs in Dubai due to the inability to return home') appears incomplete and provides no extractable insight. No arguable claims present. No evidence that would enrich existing claims about MetaDAO, futarchy mechanisms, or internet finance patterns. This is raw event data suitable for archive reference but contains no interpretive content or novel evidence about platform dynamics, success patterns, or governance mechanisms. The failure itself (refunding status, same-day close) is a single data point insufficient to support claims about platform performance or futarchy adoption without additional context or pattern evidence." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Single failed fundraise event with no extractable claims. Source contains only factual data points about one specific launch. The incomplete team description fragment provides no interpretable insight. No evidence that would enrich existing claims about futarchy mechanisms, platform dynamics, or internet finance patterns. This is a single data point insufficient to support claims about platform performance without additional context. Created minimal entity entry for FUTARA as it represents a real launch event on futard.io, though it failed immediately. No claims extracted per extraction_notes guidance that this contains 'no interpretive content or novel evidence about platform dynamics, success patterns, or governance mechanisms.'" --- ## Launch Details @@ -46,3 +50,13 @@ cover the accommodation costs in Dubai due to the inability to return home. - Launch address: Gt9eVcwmH8mNVyCWWRfL3K1CFxaVNpSJGKtUujwRjFU6 - Token: 4kw, mint: 4kwvR2fzkKCGRAeDx4YkQ1afVCofwRyQQhMFHSXgmeta - Platform version: v0.7 + + +## Key Facts +- FUTARA launched on futard.io 2026-03-04 +- FUTARA funding target: $50,000 +- FUTARA status: Refunding (failed) +- FUTARA closed 2026-03-04 (same day as launch) +- FUTARA token: 4kw (mint: 4kwvR2fzkKCGRAeDx4YkQ1afVCofwRyQQhMFHSXgmeta) +- FUTARA launch address: Gt9eVcwmH8mNVyCWWRfL3K1CFxaVNpSJGKtUujwRjFU6 +- Platform version: v0.7 diff --git a/inbox/archive/2026-03-04-futardio-launch-island.md b/inbox/archive/2026-03-04-futardio-launch-island.md index 3b2f4a85..19e877fa 100644 --- a/inbox/archive/2026-03-04-futardio-launch-island.md +++ b/inbox/archive/2026-03-04-futardio-launch-island.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/launch/FpFytak8JZwVntqDh9G95zqXXVJNXMxRFUYY959AXeZj" date: 2026-03-04 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana] event_type: launch +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Failed fundraise with minimal market validation (0.5% of target). No novel claims extracted — the failure itself is the primary data point. Three entities created: Island (company), the fundraise decision market, and founder xpmaxxer. Project represents a test of DeFi-travel loyalty thesis that found no market support." --- ## Launch Details @@ -216,3 +220,17 @@ Earn yield. Earn points. Travel for pennies. - Token mint: `CGaDW7QYCNdVzivFabjWrpsqW7C4A3WSLjdkH84Pmeta` - Version: v0.7 - Closed: 2026-03-05 + + +## Key Facts +- Island.ag fundraise launched 2026-03-04 on Futardio +- Funding target: $50,000 +- Total committed: $250 (0.5% of target) +- Status: Refunding +- Closed: 2026-03-05 +- Token: CGa (mint: CGaDW7QYCNdVzivFabjWrpsqW7C4A3WSLjdkH84Pmeta) +- Autocrat version: v0.7 +- Founder: xpmaxxer (hospitality background) +- Proposed model: DeFi yield discovery + hotel booking with Island Points loyalty system +- Planned spend: 80% marketing, 10% infrastructure, 10% operations +- Incentive: $1 minimum participation entered raffle for $1,500 tokens or Alps hotel stay diff --git a/inbox/archive/2026-03-04-futardio-launch-one-of-sick-token.md b/inbox/archive/2026-03-04-futardio-launch-one-of-sick-token.md index ad2ab10f..957a77d1 100644 --- a/inbox/archive/2026-03-04-futardio-launch-one-of-sick-token.md +++ b/inbox/archive/2026-03-04-futardio-launch-one-of-sick-token.md @@ -13,6 +13,10 @@ processed_by: rio processed_date: 2026-03-11 extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "This source is a single failed token launch data point with no substantive description, team information, or analysis. The project description is repetitive placeholder text ('one of sick token' repeated 19 times). The 'links' point to Twitter searches, not actual project accounts. This represents a failed launch event but contains no evidence supporting new claims about futarchy, MetaDAO platform dynamics, launch success factors, or internet finance mechanisms. It's a data point for potential aggregate analysis (e.g., if we were tracking MetaDAO launch success rates) but alone provides no arguable insight. The existing claim 'MetaDAO is the futarchy launchpad on Solana' already establishes the platform's existence; this single failure neither confirms nor challenges any existing claims about platform efficacy, user behavior, or market dynamics. Preserved as archival fact in case future aggregate analysis of launch patterns becomes relevant." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Single failed token launch with no substantive content. Project description is placeholder text ('one of sick token' repeated 19 times). Links point to Twitter searches, not actual project accounts. This represents a failed launch event but contains no evidence supporting new claims about futarchy, MetaDAO platform dynamics, launch success factors, or internet finance mechanisms. The existing claim 'MetaDAO is the futarchy launchpad on Solana' already establishes the platform's existence; this single failure neither confirms nor challenges any existing claims about platform efficacy, user behavior, or market dynamics. Below significance threshold for standalone entity (trivial amount, refunding status, no real project). Preserved as archival fact in source metadata for potential future aggregate analysis of launch patterns." --- ## Launch Details @@ -42,6 +46,15 @@ one of sick token one of sick token one of sick token one of sick token one of s - Closed: 2026-03-05 +## Key Facts +- Futardio launch 'one of sick token' targeted $50,000 funding (2026-03-04) +- Launch received only $50 in commitments before entering refund status +- Launch closed 2026-03-05 after one day +- Token: HsN, mint address HsNsqUzMZvLw2imafejioN18oQ5r1gr65eVB1wRVmeta +- Launch address: Gdyb1kNw26gve1VqU3zRxwZJhwJd5nAQ4goKNvAQBv9K +- Platform version: v0.7 + + ## Key Facts - Futardio launch 'one of sick token' targeted $50,000 funding (2026-03-04) - Launch received only $50 in commitments before entering refund status diff --git a/inbox/archive/2026-03-04-futardio-launch-test.md b/inbox/archive/2026-03-04-futardio-launch-test.md index c3fa8ec1..7033a125 100644 --- a/inbox/archive/2026-03-04-futardio-launch-test.md +++ b/inbox/archive/2026-03-04-futardio-launch-test.md @@ -6,13 +6,17 @@ url: "https://www.futard.io/launch/9SzcHQzMbxBbCEtLyRsuUcQn8cMSzjxnDG9WuSZCMJM5" date: 2026-03-04 domain: internet-finance format: data -status: unprocessed +status: null-result tags: [futardio, metadao, futarchy, solana] event_type: launch processed_by: rio processed_date: 2026-03-11 extraction_model: "anthropic/claude-sonnet-4.5" extraction_notes: "This is a test launch with placeholder content ('TESTTEST...'). No actual project description, team information, or meaningful data. The $9 commitment and immediate refunding status confirm this was a platform test, not a real fundraise. No extractable claims or enrichments — purely operational test data." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "This is a test launch with placeholder content ('TESTTEST...'). No actual project description, team information, or meaningful data. The $9 commitment and immediate refunding status confirm this was a platform test, not a real fundraise. No extractable claims or enrichments — purely operational test data. Does not meet entity significance threshold (trivial amount, refunding status, test content)." --- ## Launch Details @@ -45,3 +49,10 @@ TESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTESTTEST - Launch address: 9SzcHQzMbxBbCEtLyRsuUcQn8cMSzjxnDG9WuSZCMJM5 - Token: J5Q - Version: v0.7 + + +## Key Facts +- Futardio test launch executed 2026-03-04 with $100K target +- Test received $9 in commitments before entering refunding status +- Launch used token J5Q on Solana (mint: J5QujLASJDfSck9znKSVYDNqasYPmUxVoNQLppNfmeta) +- Platform version v0.7 operational diff --git a/inbox/archive/2026-03-05-futardio-launch-git3.md b/inbox/archive/2026-03-05-futardio-launch-git3.md index aca67a6f..b0120d6c 100644 --- a/inbox/archive/2026-03-05-futardio-launch-git3.md +++ b/inbox/archive/2026-03-05-futardio-launch-git3.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/launch/HKRDmghovXSCMobiRCZ7BBdHopEizyKmnhJKywjk3vUa" date: 2026-03-05 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana] event_type: launch +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Factual launch data for Git3 futarchy-governed fundraise. No novel claims about futarchy mechanisms or internet finance dynamics — this is a straightforward failed fundraise with standard pitch deck content. Created entity pages for Git3 (company) and the fundraise decision market. The failure is notable as a data point (28.3% fill rate despite live MVP) but doesn't generate new theoretical claims about futarchy or capital formation mechanisms beyond what's already captured in existing KB claims about futarchy variance and market filtering." --- ## Launch Details @@ -268,3 +272,13 @@ Future revenue streams include enterprise licensing, premium features, and custo - Token mint: `6VTMeDtrtimh2988dhfYi2rMEDVdYzuHoSgERUmdmeta` - Version: v0.7 - Closed: 2026-03-06 + + +## Key Facts +- Git3 launched futarchy-governed fundraise on Futardio 2026-03-05 +- Git3 raised $28,266 of $100,000 target (28.3% fill rate) +- Git3 fundraise entered refunding status 2026-03-06 +- Git3 MVP live at git3.io with GitHub Actions integration +- Git3 built on Irys blockchain for permanent storage +- Git3 proposed 12-month runway with $8K monthly burn rate +- Git3 revenue model: creator fees on NFT sales, protocol fees on x402 transactions, agent royalties diff --git a/inbox/archive/2026-03-05-futardio-launch-insert-coin-labs.md b/inbox/archive/2026-03-05-futardio-launch-insert-coin-labs.md index cbaab68a..78be5888 100644 --- a/inbox/archive/2026-03-05-futardio-launch-insert-coin-labs.md +++ b/inbox/archive/2026-03-05-futardio-launch-insert-coin-labs.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/launch/62Yxd8gLQ2YYmY2TifhChJG4tVdf4b1oAHcMfwTL2WUu" date: 2026-03-05 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana] event_type: launch +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Factual fundraise data for failed gaming studio raise on Futardio. No novel claims about futarchy mechanisms or gaming economics — just execution data on a specific failed raise. Created entity pages for the company and the fundraise decision market, updated Futardio timeline. The 95% funding gap is notable as market signal but doesn't constitute a generalizable claim about gaming studios or futarchy without additional context/comparison data." --- ## Launch Details @@ -117,3 +121,11 @@ We didn't want complex tokenomics driving our decisions. Futarchy puts the marke - Token mint: `32CPstBmwccnLoaUqkqiiMVg1nKrQ3YGcM43vFAimeta` - Version: v0.7 - Closed: 2026-03-06 + + +## Key Facts +- Insert Coin Labs Domin8 game: 232 games played, 55.1 SOL volume, +2.7 SOL house profit (as of 2026-03-05) +- Insert Coin Labs Futardio raise: $50K target, $2,508 committed (5%), refunding status (2026-03-06) +- Insert Coin Labs allocation: 80% team ($40K), 20% liquidity ($10K), $4K monthly burn, ~10 month runway +- Insert Coin Labs roadmap: Domin8 live, 1v1 game ready, Casino hub Q2 2026, Rabbit Royal Q2 2026, Open API Q3 2026 +- Insert Coin Labs audit: Excalead, Honorable Mention at Solana Breakpoint 2025 diff --git a/inbox/archive/2026-03-08-futardio-launch-seeker-vault.md b/inbox/archive/2026-03-08-futardio-launch-seeker-vault.md index 12eaf5b9..5c3295b5 100644 --- a/inbox/archive/2026-03-08-futardio-launch-seeker-vault.md +++ b/inbox/archive/2026-03-08-futardio-launch-seeker-vault.md @@ -6,9 +6,13 @@ url: "https://www.futard.io/launch/7AMzZD3JZ15FCX2eoC17KgJD5Ywum9J5i7E9BAbgc2vi" date: 2026-03-08 domain: internet-finance format: data -status: unprocessed +status: processed tags: [futardio, metadao, futarchy, solana] event_type: launch +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Futardio fundraise for SeekerVault. Failed to reach funding target (4.2% subscription). No novel claims about futarchy mechanisms or market dynamics — straightforward failed raise. Entity data only." --- ## Launch Details @@ -160,3 +164,12 @@ Two builders, zero fluff. All execution. - Token mint: `J4rMkvf4qwJgX2nK3ueeL4E423chSG2jVqgk5LAGmeta` - Version: v0.7 - Closed: 2026-03-09 + + +## Key Facts +- SeekerVault targets 150,000+ Solana Seeker phone users +- Walrus + Seal used as storage infrastructure +- Pricing: 20MB free tier, 100GB for $10/month in SKR +- Team: 2 builders (gbflarcos, Beardkoda) +- Requested runway: 6+ months at $8,000/month burn rate +- Product status: Live at seekervault.xyz, dApp Store listing in review diff --git a/inbox/archive/2026-03-08-karpathy-autoresearch-collaborative-agents.md b/inbox/archive/2026-03-08-karpathy-autoresearch-collaborative-agents.md index bad43cea..7d00f0d6 100644 --- a/inbox/archive/2026-03-08-karpathy-autoresearch-collaborative-agents.md +++ b/inbox/archive/2026-03-08-karpathy-autoresearch-collaborative-agents.md @@ -8,11 +8,16 @@ date: 2026-03-08 domain: ai-alignment secondary_domains: [collective-intelligence] format: tweet -status: unprocessed +status: null-result priority: high tags: [autoresearch, multi-agent, git-coordination, collective-intelligence, agent-collaboration] flagged_for_theseus: ["Core AI agent coordination architecture — directly relevant to multi-model collaboration claims"] flagged_for_leo: ["Cross-domain synthesis — this is what we're building with the Teleo collective"] +processed_by: theseus +processed_date: 2026-03-11 +enrichments_applied: ["coordination-protocol-design-produces-larger-capability-gains-than-model-scaling.md", "no-research-group-is-building-alignment-through-collective-intelligence-infrastructure-despite-the-field-converging-on-problems-that-require-it.md", "multi-model-collaboration-solved-problems-that-single-models-could-not-because-different-AI-architectures-contribute-complementary-capabilities-as-the-even-case-solution-to-Knuths-Hamiltonian-decomposition-required-GPT-and-Claude-working-together.md"] +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Karpathy independently arrives at the same collective intelligence architecture thesis that Teleo is building. Two new claims extracted on agent research communities and Git's inadequacy for agent-scale collaboration. Three enrichments confirm/extend existing coordination and multi-agent claims. High-value source — validates core Teleo thesis from a credible independent source (former Tesla AI director, 3M+ followers). Agent notes correctly flagged this as directly relevant to multi-model collaboration and coordination protocol claims." --- ## Content diff --git a/inbox/archive/2026-03-09-rocketresearchx-x-archive.md b/inbox/archive/2026-03-09-rocketresearchx-x-archive.md index ebeb13db..bec65f7d 100644 --- a/inbox/archive/2026-03-09-rocketresearchx-x-archive.md +++ b/inbox/archive/2026-03-09-rocketresearchx-x-archive.md @@ -6,7 +6,7 @@ url: https://x.com/rocketresearchx date: 2026-03-09 domain: internet-finance format: tweet -status: unprocessed +status: null-result last_attempted: 2026-03-11 tags: [media, research, trading, market-analysis, solana] linked_set: metadao-x-landscape-2026-03 @@ -24,6 +24,10 @@ processed_by: rio processed_date: 2026-03-10 extraction_model: "minimax/minimax-m2.5" extraction_notes: "Source contains only trading/technical analysis content (EMA 8 rejection, market cap comparisons, geopolitical risk assessment). Curator notes explicitly classify this as low priority with null-result likely for mechanism design claims. Only 2 peripheral MetaDAO references. No novel claims about futarchy, Living Capital, or token economics that aren't already covered in existing knowledge base. Content is market commentary rather than mechanism design insight." +processed_by: rio +processed_date: 2026-03-11 +extraction_model: "anthropic/claude-sonnet-4.5" +extraction_notes: "Source contains only trading/technical analysis content (EMA 8 rejection, market cap comparisons, geopolitical risk assessment). Curator notes explicitly classify this as low priority with null-result likely for mechanism design claims. Only 2 peripheral MetaDAO references. No novel claims about futarchy, Living Capital, or token economics that aren't already covered in existing knowledge base. Content is market commentary rather than mechanism design insight." --- # @rocketresearchx X Archive (March 2026) @@ -49,3 +53,9 @@ extraction_notes: "Source contains only trading/technical analysis content (EMA - Only 2 MetaDAO references - described as peripheral to ecosystem - Priority was marked as low by curator - Extraction hints indicated null-result likely for MetaDAO-specific claims + + +## Key Facts +- @rocketresearchx is an OG crypto research outfit operating since 2011 +- Content has 94% substantive ratio but is trading/technical analysis focused +- Only 2 MetaDAO references in 100 tweets - described as peripheral to ecosystem diff --git a/inbox/archive/2026-03-10-iab-ai-ad-gap-widens.md b/inbox/archive/2026-03-10-iab-ai-ad-gap-widens.md index 51b65aaf..98243b1d 100644 --- a/inbox/archive/2026-03-10-iab-ai-ad-gap-widens.md +++ b/inbox/archive/2026-03-10-iab-ai-ad-gap-widens.md @@ -7,7 +7,15 @@ date: 2026-01-01 domain: entertainment secondary_domains: [] format: report -status: unprocessed +status: processed +processed_by: clay +processed_date: 2026-03-12 +claims_extracted: + - consumer-rejection-of-ai-generated-ads-intensifies-as-ai-quality-improves-disproving-the-exposure-leads-to-acceptance-hypothesis + - the-advertiser-consumer-ai-perception-gap-is-a-widening-structural-misalignment-not-a-temporal-communications-lag + - gen-z-hostility-to-ai-generated-advertising-is-stronger-than-millennials-and-widening-making-gen-z-a-negative-leading-indicator-for-ai-content-acceptance +enrichments: + - GenAI adoption in entertainment will be gated by consumer acceptance not technology capability (strong supporting evidence — rejection intensifying, not eroding) priority: high tags: [consumer-acceptance, ai-content, advertiser-perception-gap, gen-z, authenticity] --- diff --git a/inbox/archive/2026-03-12-futardio-launch-hc4.md b/inbox/archive/2026-03-12-futardio-launch-hc4.md new file mode 100644 index 00000000..0e27723d --- /dev/null +++ b/inbox/archive/2026-03-12-futardio-launch-hc4.md @@ -0,0 +1,27 @@ +--- +type: source +title: "Futardio: HC4 fundraise goes live" +author: "futard.io" +url: "https://www.futard.io/launch/DSt7fVv3fEt5brtchiqo1m4J5MRvHPBDkYm7aTpLAjVN" +date: 2026-03-12 +domain: internet-finance +format: data +status: unprocessed +tags: [futardio, metadao, futarchy, solana] +event_type: launch +--- + +## Launch Details +- Project: HC4 +- Funding target: $1.00 +- Total committed: $1.00 +- Status: Live +- Launch date: 2026-03-12 +- URL: https://www.futard.io/launch/DSt7fVv3fEt5brtchiqo1m4J5MRvHPBDkYm7aTpLAjVN + +## Raw Data + +- Launch address: `DSt7fVv3fEt5brtchiqo1m4J5MRvHPBDkYm7aTpLAjVN` +- Token: HC4 (HC4) +- Token mint: `HC4SA5CStYzkcYwTaXVZ7pQuxaK7kpHUNNXbFosZmeta` +- Version: v0.7 diff --git a/inbox/archive/2026-03-12-futardio-launch-shopsbuilder-ai.md b/inbox/archive/2026-03-12-futardio-launch-shopsbuilder-ai.md new file mode 100644 index 00000000..3785ed2d --- /dev/null +++ b/inbox/archive/2026-03-12-futardio-launch-shopsbuilder-ai.md @@ -0,0 +1,192 @@ +--- +type: source +title: "Futardio: ShopsBuilder AI fundraise goes live" +author: "futard.io" +url: "https://www.futard.io/launch/6qtygHxrFzF3tucXcy6EzbwZJBRbiuZAZrsXapXZLxE3" +date: 2026-03-12 +domain: internet-finance +format: data +status: unprocessed +tags: [futardio, metadao, futarchy, solana] +event_type: launch +--- + +## Launch Details +- Project: ShopsBuilder AI +- Description: The AI Bridge Layer for On-Chain Chat Commerce +- Funding target: $420,000.00 +- Total committed: N/A +- Status: Live +- Launch date: 2026-03-12 +- URL: https://www.futard.io/launch/6qtygHxrFzF3tucXcy6EzbwZJBRbiuZAZrsXapXZLxE3 + +## Team / Description + +**The internet is becoming agentic. Commerce hasn't caught up. We built the infrastructure that connects them.** + +ShopsBuilder is raising to accelerate the global infrastructure layer that bridges Web2 merchants into the age of AI-native, on-chain commerce — operating inside the messaging platforms where 3+ billion people already live. + +--- + +## What We've Already Built + +We did not start from zero. + +- **100,000+ customers** have transacted through ShopsBuilder-powered stores +- **Live merchant network** operating Telegram-native stores across physical goods, digital products, and services +- **AI agent system deployed** — every store gets its own autonomous agents: product discovery, order handling, customer support, follow-ups +- **First version of the open marketplace published** — decentralized merchant discovery layer +- **Full payment stack live**: crypto, credit cards, custom payment app integrations +- **Complete commerce stack**: catalog CRM, storefronts, unified marketplace, network of personal agents and many more + +This raise allows us to scale globally, enable AI agents to turn business intent into autonomous commerce operations, and connect demand from users and agents to existing businesses across platforms like Shopify, Amazon, and others. + +--- + +## The Problem + +**Commerce is shifting to chat and AI agents, but the infrastructure was built for humans using browsers.** + +**Demand discovery** is moving to AI interfaces while merchants still depend on centralized marketplaces that control ranking, margins, and customer access. + +**Commerce infrastructure remains fragmented** across Shopify, Amazon, WooCommerce, marketplaces, and payment providers — each requiring integrations, operational effort, and technical expertise. + +Crypto payments exist, but the **full commerce lifecycle is still missing**, which real merchants requires — authorization, escrow, capture, refunds, cancellations, and disputes. + +--- + +## The Bridge + +This is ShopsBuilder's core insight: + +**The future of commerce is not storefronts. It is agents transacting with agents.** + +A customer talks to their AI assistant. The assistant understands intent. It discovers the right merchant. Shows to customer and It initiates a purchase. The payment settles on-chain. The merchant fulfills the order. + +The merchant never knows the sale came through an agentic channel. To them, it is just another order. But underneath, a new layer of commerce infrastructure made it possible — invisible, automated, and unstoppable. + +**ShopsBuilder is the bridge layer** that connects existing Web2 businesses into this new reality — without requiring merchants to understand crypto, AI, or protocols. They get a fully autonomous operation. The infrastructure handles everything else. + +--- + +## Business intent -> Execution + +**AI doesn't just discover demand — it can operate businesses.** + +Merchants no longer need to manually configure every system, integration, or market expansion. + +A founder can say: +*"Launch our products in market X."* +*"Start running ads."* +*"Accept donations in crypto payments."* + +AI agents interpret this **business intent** and execute it across the ShopsBuilder infrastructure — configuring payments, storefronts, integrations, compliance, and distribution automatically. + +**Business intent becomes executable commerce infrastructure.** + +___ + +## ShopsBuilder provides the core infrastructure layer for agentic commerce. + +The system combines three primitives: + +1. **Merchant AI agents** +Every store receives an autonomous agent that handles discovery, orders, +customer support, and follow-ups. + +2. **Universal commerce bridge** +Existing Web2 merchants (Shopify, marketplaces, independent stores) +can expose their products to AI agents without changing their operations. + +3. **On-chain payment lifecycle** +A complete crypto payment stack supporting authorization, escrow, +capture, refunds, cancellations, and dispute resolution. + +--- + +## Why Now + +- AI agents are moving from assistants to autonomous economic actors — the infrastructure for this transition does not yet exist at scale +- Crypto payment adoption in commerce is accelerating but lacks the complete primitive stack merchants need +- x402 and emerging agent payment protocols are creating a new interoperability layer — ShopsBuilder is positioned to be the merchant-side infrastructure for this ecosystem +- We have 100,000+ real customers and live merchant traction + +--- +## Market & Competitive Landscape + +Existing solutions are fragmented: + +• AI tools generate content but are not designed to operate businesses +• Crypto payment processors support payments but lack the full commerce lifecycle +• Marketplaces remain centralized and extractive, controlling discovery and margins. + +ShopsBuilder combines these layers into one open infrastructure. + +--- + +## Roadmap + +| Quarter | Milestones | +| ----------- | ---------------------------------------------------------------------------------------------------------------------- | +| **Q2 2026** | Open-source DAO marketplace launch; Web storefront access; UCP native marketplace | +| **Q3 2026** | Expansion to WhatsApp, Instagram, and Discord commerce interfaces; merchant onboarding tools | +| **Q4 2026** | Merchant bridge layer (Shopify / WooCommerce / marketplaces); x402-compatible payment layer; EVM multi-chain expansion | +| **Q1 2027** | AI agent SDK; agent-to-agent commerce flows via x402 | +| **2027+** | Universal agentic commerce API; cross-platform merchant identity and reputation layer | + +--- + +## Use of Funds + +Raise target: $336,000 + +Runway: ~12 months +Monthly burn: ~$28k + +--- + +## Notes + +ShopsBuilder is modular by design. + +The core components — payment infrastructure, merchant agents, +and the DAO marketplace — can evolve independently. + +If one layer fails to gain adoption, development can focus on the +components that demonstrate the strongest product-market fit. + +If a particular product direction fails to achieve adoption, +treasury governance allows the community to redirect development +toward the most promising parts of the infrastructure - +AI agents, payment protocols, or the DAO marketplace layer. + +## Potential outcome + +If ShopsBuilder reaches 100,000 active merchants +with ~$250 annual infrastructure revenue per merchant, + +annual revenue would reach ~$25M. + +This represents a realistic outcome for a global +agentic commerce infrastructure layer. + +## Vision + +ShopsBuilder is building the world's AI-native, on-chain commerce infrastructure — the invisible bridge layer that connects the 200M+ Web2 businesses into an agentic economy where AI handles discovery, conversation, and payment automatically. + + +Commerce is going agentic. ShopsBuilder is the infrastructure that makes it work. + + +## Links + +- Website: https://shopsbuilder.app +- Twitter: https://x.com/shopsbuilder +- Telegram: https://t.me/shopsbuilder + +## Raw Data + +- Launch address: `6qtygHxrFzF3tucXcy6EzbwZJBRbiuZAZrsXapXZLxE3` +- Token: 8fX (8fX) +- Token mint: `8fXTttGGAKeZZ9DhLhE7Peh3hQCcqCJdHhpmZwdEmeta` +- Version: v0.7