Resonance Data Repository
The Global Resonance Database aggregates empirical measurements validating the Coherence Field Equation. This repository hosts datasets related to the four primary variables ($S, E, I, \phi$) and cosmological field signatures. Currently populated with Theoretical Baseline Models, Computational Simulations, and Experimental Data from NeuroResonance Database.
NEURO-RES NeuroResonance Database - Experimental Data
Source: brainrhythm.org | Researchers: Dr. Anirban Bandyopadhyay (NIMS), Dr. Pushpendra Singh (IIT Mandi) | Method: CST Studio Suite Electromagnetic Simulation
✓ Major Validation: NeuroResonance data provides the first direct experimental confirmation of CFE substrate predictions. The 101 resonance peaks across 12 orders of magnitude (0.02-20 THz) demonstrate that tubulin possesses the rich electromagnetic resonance structure required for quantum-coherent consciousness substrates.
COMP-SIM Computational Physics Simulations
Phase 1 & 2 Complete: Python-based simulations validating both the Phase Transition hypothesis (0D) and Spatial Field Diffusion (2D).
View Phase 1 Report (0D) →
View Phase 2 Report (Spatial) →
✓ Validation Success: All 7 computational experiments confirmed CFE predictions. Phase transition behavior, multiplicative necessity, and spatial field diffusion reproduced with high fidelity.
PIPELINE Planned Computational Studies (2026-2028)
Next-generation simulations incorporating spatial extension, temporal dynamics, quantum effects, and multi-scale integration.
| ID | Dataset Name | Phase | Key Innovation | Timeline | Status |
|---|---|---|---|---|---|
| CFE-SIM-101 | 3D Cortical Field Mapping | Phase 2 | Regional S,E,I,φ with diffusion coupling | Q2 2026 | Planned |
| CFE-SIM-102 | Thalamocortical Loop Dynamics | Phase 2 | Explicit hub modeling (PFC, Thalamus) | Q2 2026 | Planned |
| CFE-SIM-201 | Realistic Time Constant Integration | Phase 3 | Differential eqs: τ_S=10ms, τ_E=100ms | Q3 2026 | Planned |
| CFE-SIM-203 | Critical Slowing Down | Phase 3 | Response time τ ∝ |T-T_c|^(-ν) | Q3 2026 | Planned |
| CFE-SIM-301 | Quantum Noise Integration | Phase 4 | Langevin dynamics: dC = f(C)dt + σ_q dW_t | Q4 2026 | Planned |
| CFE-SIM-302 | Microtubule Coherence Fluctuations | Phase 4 | 10 ps quantum decoherence + rebuild | Q4 2026 | Planned |
| CFE-SIM-401 | NeuroResonance Data Integration | Phase 5 | Import tubulin resonance → substrate tensor | 2027 H1 | In Progress |
| CFE-SIM-402 | Orch-OR Integration (Quantum → S) | Phase 5 | Direct microtubule Hamiltonian → substrate | 2027 H1 | Planned |
BIO-01 Biological Substrate & Dynamics
Data verifying the biological variables of the CFE: Substrate Quantum Yield ($S$), Metabolic Energy ($E$), and Phase Alignment ($\phi$).
Predicted Phase Transition (Dataset CFE-SIM-001)
The CFE predicts a sharp sigmoid transition in consciousness (CRI) once the resonance threshold ($\theta=0.40$) is crossed. See full computational validation →
SOURCE Simulation Engine Code (cfe_brain_map.py)
The complete Python source code for the Phase 2 Spatial Simulation engine.
"""
Coherence Field Equation: 2D Spatial Brain Simulation
======================================================
A mesoscale connectome simulation demonstrating consciousness as a
distributed field phenomenon across realistic brain anatomy.
Author: Jose Angel Perez
Based on: CFE Theory Version 11.B
Date: January 2026
"""
import numpy as np
import matplotlib.pyplot as plt
import matplotlib.animation as animation
from scipy.ndimage import laplace, gaussian_filter
from typing import Tuple
class CoherenceBrainMap:
"""
2D Coupled Map Lattice (CML) simulation of the Coherence Field.
Each pixel represents a cortical column governed by:
|C| = S × E × I × φ
Spatial coupling via diffusion equation:
C_new(x,y) = (1-α) × C_local(x,y) + α × Laplacian(C)
"""
def __init__(self, resolution: int = 256, diffusion_rate: float = 0.3):
self.res = resolution
self.diffusion_rate = diffusion_rate
self.theta = 0.40 # Consciousness threshold
# === 1. SETUP COORDINATE GRID ===
Y, X = np.ogrid[-1.2:1.2:complex(0, resolution),
-1.8:1.8:complex(0, resolution)]
# === 2. GENERATE ANATOMICAL MASKS ===
# Left Hemisphere Ellipse
left_hemi = (((X + 0.45)**2)/0.6 + (Y**2)/1.0) < 0.4
# Right Hemisphere Ellipse
right_hemi = (((X - 0.45)**2)/0.6 + (Y**2)/1.0) < 0.4
# Thalamus (Central Core) - The "Pacemaker"
self.thalamus_mask = (X**2 + Y**2) < 0.12
# Corpus Callosum (Bridge between hemispheres)
self.corpus_callosum_mask = (np.abs(X) < 0.15) & (np.abs(Y) < 0.3)
# Combine into total Brain Mask
self.brain_mask = left_hemi | right_hemi | self.corpus_callosum_mask
# Cortex = Brain minus Thalamus
self.cortex_mask = self.brain_mask & ~self.thalamus_mask
# Left and Right hemisphere masks (for corpus callosum connections)
self.left_mask = left_hemi & (X < -0.2)
self.right_mask = right_hemi & (X > 0.2)
# === 3. SETUP CORPUS CALLOSUM "WORMHOLE" CONNECTIONS ===
self._setup_callosal_connections()
# === 4. INITIALIZE FIELD COMPONENTS ===
# Start in "Coma" state (Low Phase, High capacity)
self.S = np.ones((resolution, resolution)) * 0.9 # Substrate intact
self.E = np.ones((resolution, resolution)) * 1.0 # Energy available
self.I = np.ones((resolution, resolution)) * 0.8 # Information ready
self.phi = np.zeros((resolution, resolution)) # Phase = 0 (Unconscious)
# Anatomical variations
self.I[self.cortex_mask] = 0.85
self.E[self.thalamus_mask] = 1.0
# The Coherence Field State |C|
self.C = np.zeros((resolution, resolution))
self.scenario = "awakening"
def _setup_callosal_connections(self):
"""Create "wormhole" connection indices for corpus callosum."""
left_coords = np.argwhere(self.left_mask)
right_coords = np.argwhere(self.right_mask)
n_connections = min(len(left_coords), len(right_coords), 500)
if n_connections > 0:
left_sample_idx = np.random.choice(len(left_coords), n_connections, replace=False)
right_sample_idx = np.random.choice(len(right_coords), n_connections, replace=False)
self.callosal_left = left_coords[left_sample_idx]
self.callosal_right = right_coords[right_sample_idx]
else:
self.callosal_left = np.array([])
self.callosal_right = np.array([])
def apply_dynamics_awakening(self, t: int):
"""Scenario 1: 'Morning Boot Sequence'"""
# === A. THALAMIC DRIVE ===
drive_strength = np.clip(t / 100.0, 0, 1.0)
noise = np.random.normal(0, 0.03, (self.res, self.res))
self.phi[self.thalamus_mask] = 0.85 * drive_strength + noise[self.thalamus_mask]
# === B. CORTICAL DECAY ===
self.phi[self.cortex_mask] *= 0.96
# === C. LOCAL COHERENCE FIELD COMPUTATION ===
C_local = self.S * self.E * self.I * self.phi
# === D. SPATIAL DIFFUSION (The "Field" Effect) ===
diffusion = laplace(C_local)
self.C = C_local + (self.diffusion_rate * diffusion)
# === E. BIOLOGICAL SMOOTHING ===
self.C = gaussian_filter(self.C, sigma=0.8)
# === F. CORPUS CALLOSUM LONG-RANGE COUPLING ===
if len(self.callosal_left) > 0:
for i in range(len(self.callosal_left)):
left_y, left_x = self.callosal_left[i]
right_y, right_x = self.callosal_right[i]
avg_phi = (self.phi[left_y, left_x] + self.phi[right_y, right_x]) / 2.0
coupling_strength = 0.3
self.phi[left_y, left_x] += coupling_strength * (avg_phi - self.phi[left_y, left_x])
self.phi[right_y, right_x] += coupling_strength * (avg_phi - self.phi[right_y, right_x])
# === G. RECURRENT FEEDBACK ===
self.phi += 0.08 * self.C
self.phi = np.clip(self.phi, 0, 1.0)
# === H. APPLY ANATOMICAL CONSTRAINTS ===
self.C *= self.brain_mask
self.phi *= self.brain_mask
return self.C
def apply_dynamics_seizure(self, t: int):
"""Scenario 2: 'The Shattered Mirror'"""
# === A. CHAOTIC ENERGY INJECTION ===
if t % 20 == 0:
n_hotspots = np.random.randint(3, 8)
for _ in range(n_hotspots):
y, x = np.random.randint(0, self.res, 2)
if self.cortex_mask[y, x]:
Y, X = np.ogrid[0:self.res, 0:self.res]
distance = np.sqrt((Y - y)**2 + (X - x)**2)
burst = np.exp(-distance**2 / 200.0)
self.E += 0.5 * burst
self.E = np.clip(self.E, 0, 2.0)
# === B. RANDOM PHASE NOISE ===
noise = np.random.normal(0, 0.15, (self.res, self.res))
self.phi[self.brain_mask] += noise[self.brain_mask]
self.phi = np.clip(self.phi, 0, 1.0)
# === C. LOCAL COHERENCE COMPUTATION ===
C_local = self.S * self.E * self.I * self.phi
# === D. WEAK DIFFUSION ===
diffusion = laplace(C_local)
weak_coupling = self.diffusion_rate * 0.3
self.C = C_local + (weak_coupling * diffusion)
self.C = gaussian_filter(self.C, sigma=0.5)
# === F. ENERGY DECAY ===
self.E *= 0.98
self.C *= self.brain_mask
self.phi *= self.brain_mask
return self.C
def apply_dynamics(self, t: int):
if self.scenario == "awakening":
return self.apply_dynamics_awakening(t)
else:
return self.apply_dynamics_seizure(t)
def set_scenario(self, scenario: str):
self.scenario = scenario
self.phi = np.zeros((self.res, self.res))
self.E = np.ones((self.res, self.res)) * 1.0
self.C = np.zeros((self.res, self.res))
def run_simulation(scenario: str = "awakening", save_output: bool = True):
print(f"Running scenario: {scenario}")
sim = CoherenceBrainMap(resolution=256, diffusion_rate=0.4)
sim.set_scenario(scenario)
fig, (ax1, ax2) = plt.subplots(1, 2, figsize=(16, 7), facecolor='black')
im1 = ax1.imshow(sim.C, cmap='inferno', vmin=0, vmax=1.0)
im2 = ax2.imshow(sim.phi, cmap='plasma', vmin=0, vmax=1.0)
def update(frame):
C_field = sim.apply_dynamics(frame)
im1.set_data(C_field)
im2.set_data(sim.phi)
return [im1, im2]
ani = animation.FuncAnimation(fig, update, frames=200, interval=50, blit=False)
if save_output:
ani.save(f"cfe_brain_{scenario}.gif", writer='pillow', fps=20)
return sim, ani
if __name__ == "__main__":
run_simulation("awakening")
ASTRO-09 Cosmological & Fundamental Field
Datasets searching for the Coherence Field outside biological systems, specifically in Dark Matter halos and vacuum fluctuations.
| ID | Target | Instrument / Method | Predicted Signature | Status | Action |
|---|---|---|---|---|---|
| CFE-DM-240 | Dark Matter Radiation | Radio Telescope (mm-wave) | Peak Flux @ 240 GHz | Pending | |
| CFE-CMB-NL | CMB Non-Gaussianity | LiteBIRD Satellite Data | f_NL (local) ≈ 0.1 | Theoretical | |
| CFE-VAC-SQ | Vacuum Fluctuations | SQUID Magnetometry | Flux ≈ 10^-18 Φ0 | Pending |
Contribute Data
The Coherence Field project seeks collaboration with labs possessing fMRI, MEG, Quantum Spectroscopy, or HPC capabilities for computational validation.
Submit Dataset Proposal NeuroResonance Data →