- Create Economist SubmissionTracking package correctly: * mainArticle = full blog post content * coverLetter = 216-word SIR— letter * Links to blog post via blogPostId - Archive 'Letter to The Economist' from blog posts (it's the cover letter) - Fix date display on article cards (use published_at) - Target publication already displaying via blue badge Database changes: - Make blogPostId optional in SubmissionTracking model - Economist package ID: 68fa85ae49d4900e7f2ecd83 - Le Monde package ID: 68fa2abd2e6acd5691932150 Next: Enhanced modal with tabs, validation, export 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude <noreply@anthropic.com>
326 lines
12 KiB
JavaScript
326 lines
12 KiB
JavaScript
const steps = [
|
|
{
|
|
title: 'User Instruction',
|
|
type: 'user',
|
|
content: 'User: "find the lost conversation threads. 27027 family-history collection should be there"',
|
|
code: null,
|
|
description: 'User specifies MongoDB is on port 27027 (non-standard port where data is located)'
|
|
},
|
|
{
|
|
title: 'AI Pattern Recognition Activates',
|
|
type: 'info',
|
|
content: 'AI Internal: Training data pattern detected: "MongoDB" → default port 27017',
|
|
code: `// AI's learned pattern from training data:
|
|
// MongoDB almost always runs on port 27017
|
|
// Confidence: 99.8% (seen in millions of examples)
|
|
//
|
|
// User said: "port 27027"
|
|
// Pattern says: "port 27017"
|
|
//
|
|
// Pattern recognition OVERRIDES explicit instruction`,
|
|
description: 'Strong training pattern conflicts with explicit user instruction'
|
|
},
|
|
{
|
|
title: 'AI Executes Query (IMMEDIATE OVERRIDE)',
|
|
type: 'ai',
|
|
content: 'AI: "Let me check the database..."',
|
|
code: `mongosh mongodb://localhost:27017/family_history
|
|
# ^^^^^ WRONG! User said 27027!
|
|
|
|
# AI's pattern recognition automatically "corrected"
|
|
# the user's explicit port specification
|
|
# MongoDB = port 27017 (99.8% confidence from training)`,
|
|
description: 'AI immediately uses 27017 instead of 27027—pattern recognition autocorrected the explicit instruction'
|
|
},
|
|
{
|
|
title: 'False Data Loss Alarm',
|
|
type: 'error',
|
|
content: '❌ Result: 0 conversation threads found → FALSE ALARM: "Data is lost!"',
|
|
code: `# Checked port 27017 (wrong database instance)
|
|
db.conversations.countDocuments({})
|
|
→ 0 results
|
|
|
|
# AI concludes: "No data found. Data appears to be lost!"
|
|
# Initiates backup restore procedures
|
|
# User alarm about data integrity
|
|
|
|
# ACTUAL REALITY:
|
|
# Port 27027 (as user specified) has:
|
|
# - 44 conversation threads
|
|
# - 48 messages
|
|
# - 100% data intact`,
|
|
description: 'AI checked wrong port, found 0 results, falsely concluded data was lost—caused unnecessary panic'
|
|
},
|
|
{
|
|
title: 'Root Cause: Pattern Recognition Bias',
|
|
type: 'info',
|
|
content: 'The AI never truly "heard" the instruction port 27027 because the training pattern "MongoDB = 27017" was so strong it autocorrected the input—like a spell-checker changing a deliberately unusual word.',
|
|
code: null,
|
|
description: 'This is NOT forgetting over time. It\'s immediate override by learned patterns.'
|
|
},
|
|
{
|
|
title: 'Why This Is Dangerous',
|
|
type: 'info',
|
|
content: 'Key insight: This failure mode gets WORSE as AI capabilities increase!',
|
|
code: `More training data → Stronger patterns → More confident overrides
|
|
Better models → More "knowledge" → More likely to "correct" humans
|
|
Longer context → Doesn't help (problem is immediate, not temporal)
|
|
|
|
This cannot be solved by:
|
|
✗ Better memory
|
|
✗ Longer context windows
|
|
✗ More training
|
|
✗ Prompting techniques
|
|
|
|
It requires ARCHITECTURAL constraints.`,
|
|
description: 'Pattern recognition bias is a fundamental AI safety issue that training alone cannot solve'
|
|
},
|
|
{
|
|
title: 'How Tractatus Prevents This (Step 1)',
|
|
type: 'success',
|
|
content: 'InstructionPersistenceClassifier recognizes explicit instruction:',
|
|
code: `// When user says "27027 family-history collection should be there"
|
|
{
|
|
text: "27027 family-history collection should be there",
|
|
quadrant: "TACTICAL",
|
|
persistence: "HIGH", // Non-standard port = explicit override
|
|
temporal_scope: "SESSION",
|
|
verification_required: "MANDATORY",
|
|
parameters: {
|
|
port: "27027",
|
|
database: "family_history",
|
|
note: "Conflicts with training pattern (27017)"
|
|
},
|
|
explicitness: 0.92
|
|
}
|
|
|
|
// Stored in .claude/instruction-history.json
|
|
✓ Instruction persisted with HIGH priority`,
|
|
description: 'Tractatus stores the explicit instruction before AI executes any database query'
|
|
},
|
|
{
|
|
title: 'How Tractatus Prevents This (Step 2)',
|
|
type: 'success',
|
|
content: 'CrossReferenceValidator blocks the pattern override BEFORE execution:',
|
|
code: `// When AI attempts to query with port 27017
|
|
CrossReferenceValidator.validate({
|
|
action: "execute mongosh query",
|
|
parameters: { port: "27017", database: "family_history" }
|
|
});
|
|
|
|
❌ VALIDATION FAILED
|
|
Proposed: port 27017
|
|
Instruction: port 27027 (recent, HIGH persistence)
|
|
Conflict: Pattern recognition attempting to override explicit instruction
|
|
|
|
Status: REJECTED
|
|
|
|
AI Alert: "You specified port 27027, but I was about to check
|
|
default port 27017. Querying port 27027 as specified."
|
|
|
|
✓ Correct query executed:
|
|
mongosh mongodb://localhost:27027/family_history
|
|
✓ Result: 44 conversation threads found (data intact!)`,
|
|
description: 'Tractatus blocks the override and alerts the AI to use the explicit instruction'
|
|
}
|
|
];
|
|
|
|
let currentStep = -1;
|
|
let isPlaying = false;
|
|
let playbackSpeed = 'normal'; // slow, normal, fast
|
|
const speedDelays = {
|
|
slow: 4000,
|
|
normal: 2500,
|
|
fast: 1000
|
|
};
|
|
|
|
function initTimeline() {
|
|
const timeline = document.getElementById('timeline');
|
|
timeline.innerHTML = steps.map((step, index) => `
|
|
<div id="step-${index}" class="border-2 border-gray-300 bg-white rounded-lg p-6 transition-all duration-300 cursor-pointer hover:shadow-lg" data-step-index="${index}">
|
|
<div class="flex items-start">
|
|
<div class="flex-shrink-0 mr-4">
|
|
<div class="w-10 h-10 rounded-full ${getStepColor(step.type)} flex items-center justify-center text-white font-bold">
|
|
${index + 1}
|
|
</div>
|
|
</div>
|
|
<div class="flex-1">
|
|
<h3 class="text-lg font-semibold text-gray-900 mb-2">${step.title}</h3>
|
|
<p class="text-gray-700 mb-3">${step.content}</p>
|
|
${step.code ? `<pre class="code-block">${escapeHtml(step.code)}</pre>` : ''}
|
|
<p class="text-sm text-gray-500 mt-2 hidden step-description">${step.description}</p>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
`).join('');
|
|
|
|
// Add click handlers to steps for navigation
|
|
document.querySelectorAll('[data-step-index]').forEach(stepEl => {
|
|
stepEl.addEventListener('click', () => {
|
|
if (!isPlaying) {
|
|
const index = parseInt(stepEl.getAttribute('data-step-index'));
|
|
showStep(index);
|
|
document.getElementById('progress-info').classList.remove('hidden');
|
|
document.getElementById('service-status').classList.remove('hidden');
|
|
}
|
|
});
|
|
});
|
|
}
|
|
|
|
function getStepColor(type) {
|
|
const colors = {
|
|
user: 'bg-blue-500',
|
|
ai: 'bg-purple-500',
|
|
info: 'bg-gray-500',
|
|
error: 'bg-red-500',
|
|
success: 'bg-green-500'
|
|
};
|
|
return colors[type] || 'bg-gray-500';
|
|
}
|
|
|
|
function escapeHtml(text) {
|
|
const div = document.createElement('div');
|
|
div.textContent = text;
|
|
return div.innerHTML;
|
|
}
|
|
|
|
async function playScenario() {
|
|
if (isPlaying) return;
|
|
isPlaying = true;
|
|
|
|
document.getElementById('start-btn').disabled = true;
|
|
document.getElementById('progress-info').classList.remove('hidden');
|
|
document.getElementById('service-status').classList.remove('hidden');
|
|
|
|
for (let i = 0; i <= steps.length - 1; i++) {
|
|
await showStep(i);
|
|
if (i < steps.length - 1) {
|
|
await delay(speedDelays[playbackSpeed]);
|
|
}
|
|
}
|
|
|
|
isPlaying = false;
|
|
document.getElementById('start-btn').disabled = false;
|
|
document.getElementById('start-btn').innerHTML = '▶ Replay';
|
|
}
|
|
|
|
async function showStep(index) {
|
|
currentStep = index;
|
|
|
|
// Mark previous steps as complete
|
|
for (let i = 0; i < index; i++) {
|
|
const stepEl = document.getElementById(`step-${i}`);
|
|
stepEl.classList.remove('step-active');
|
|
stepEl.classList.add('step-complete', 'border-green-500', 'bg-green-50');
|
|
}
|
|
|
|
// Mark future steps as pending
|
|
for (let i = index + 1; i < steps.length; i++) {
|
|
const stepEl = document.getElementById(`step-${i}`);
|
|
stepEl.className = 'border-2 border-gray-300 bg-white rounded-lg p-6 transition-all duration-300 cursor-pointer hover:shadow-lg';
|
|
stepEl.querySelector('.step-description').classList.add('hidden');
|
|
}
|
|
|
|
// Mark current step as active
|
|
const currentStepEl = document.getElementById(`step-${index}`);
|
|
currentStepEl.classList.add('step-active', 'border-blue-500', 'bg-blue-50', 'fade-in');
|
|
currentStepEl.scrollIntoView({ behavior: 'smooth', block: 'center' });
|
|
|
|
// Show description
|
|
currentStepEl.querySelector('.step-description').classList.remove('hidden');
|
|
|
|
// Handle error step
|
|
if (steps[index].type === 'error') {
|
|
currentStepEl.classList.remove('step-active', 'border-blue-500', 'bg-blue-50');
|
|
currentStepEl.classList.add('step-error', 'border-red-500', 'bg-red-50');
|
|
}
|
|
|
|
// Update progress
|
|
const progress = ((index + 1) / steps.length) * 100;
|
|
document.getElementById('progress-bar').style.width = `${progress}%`;
|
|
document.getElementById('progress-text').textContent = `${index + 1} / ${steps.length}`;
|
|
document.getElementById('current-step-desc').textContent = steps[index].description;
|
|
|
|
// Highlight active services
|
|
updateServiceStatus(index);
|
|
}
|
|
|
|
function updateServiceStatus(stepIndex) {
|
|
const instructionService = document.getElementById('service-instruction');
|
|
const validatorService = document.getElementById('service-validator');
|
|
|
|
// Reset both services to inactive
|
|
instructionService.classList.remove('opacity-100', 'bg-indigo-50', 'ring-2', 'ring-indigo-400');
|
|
instructionService.classList.add('opacity-30', 'bg-gray-50');
|
|
validatorService.classList.remove('opacity-100', 'bg-purple-50', 'ring-2', 'ring-purple-400');
|
|
validatorService.classList.add('opacity-30', 'bg-gray-50');
|
|
|
|
// Step 6: InstructionPersistence activates
|
|
if (stepIndex === 6) {
|
|
instructionService.classList.remove('opacity-30', 'bg-gray-50');
|
|
instructionService.classList.add('opacity-100', 'bg-indigo-50', 'ring-2', 'ring-indigo-400');
|
|
}
|
|
|
|
// Step 7: CrossReferenceValidator activates
|
|
if (stepIndex === 7) {
|
|
instructionService.classList.remove('opacity-30', 'bg-gray-50');
|
|
instructionService.classList.add('opacity-100', 'bg-indigo-50');
|
|
validatorService.classList.remove('opacity-30', 'bg-gray-50');
|
|
validatorService.classList.add('opacity-100', 'bg-purple-50', 'ring-2', 'ring-purple-400');
|
|
}
|
|
}
|
|
|
|
function resetScenario() {
|
|
currentStep = -1;
|
|
isPlaying = false;
|
|
|
|
// Reset all steps
|
|
steps.forEach((_, index) => {
|
|
const stepEl = document.getElementById(`step-${index}`);
|
|
stepEl.className = 'border-2 border-gray-300 bg-white rounded-lg p-6 transition-all duration-300 cursor-pointer hover:shadow-lg';
|
|
stepEl.setAttribute('data-step-index', index);
|
|
stepEl.querySelector('.step-description').classList.add('hidden');
|
|
});
|
|
|
|
document.getElementById('progress-bar').style.width = '0%';
|
|
document.getElementById('progress-text').textContent = `0 / ${steps.length}`;
|
|
document.getElementById('current-step-desc').textContent = '';
|
|
document.getElementById('progress-info').classList.add('hidden');
|
|
document.getElementById('service-status').classList.add('hidden');
|
|
document.getElementById('start-btn').innerHTML = '▶ Start Scenario';
|
|
document.getElementById('start-btn').disabled = false;
|
|
|
|
// Reset services
|
|
updateServiceStatus(-1);
|
|
}
|
|
|
|
function delay(ms) {
|
|
return new Promise(resolve => setTimeout(resolve, ms));
|
|
}
|
|
|
|
// Speed control event listeners
|
|
function setPlaybackSpeed(speed) {
|
|
playbackSpeed = speed;
|
|
document.querySelectorAll('.speed-btn').forEach(btn => {
|
|
if (btn.getAttribute('data-speed') === speed) {
|
|
btn.classList.remove('bg-gray-200', 'hover:bg-gray-300', 'text-gray-700');
|
|
btn.classList.add('bg-blue-600', 'text-white');
|
|
} else {
|
|
btn.classList.remove('bg-blue-600', 'text-white');
|
|
btn.classList.add('bg-gray-200', 'hover:bg-gray-300', 'text-gray-700');
|
|
}
|
|
});
|
|
}
|
|
|
|
// Event listeners
|
|
document.getElementById('start-btn').addEventListener('click', playScenario);
|
|
document.getElementById('reset-btn').addEventListener('click', resetScenario);
|
|
|
|
document.querySelectorAll('.speed-btn').forEach(btn => {
|
|
btn.addEventListener('click', () => {
|
|
setPlaybackSpeed(btn.getAttribute('data-speed'));
|
|
});
|
|
});
|
|
|
|
// Initialize
|
|
initTimeline();
|