Delete test_turing_complete.py with huggingface_hub
Browse files- test_turing_complete.py +0 -693
test_turing_complete.py
DELETED
|
@@ -1,693 +0,0 @@
|
|
| 1 |
-
"""
|
| 2 |
-
TEST #8: Turing Completeness Proof
|
| 3 |
-
===================================
|
| 4 |
-
Demonstrate Turing completeness by implementing:
|
| 5 |
-
1. Rule 110 cellular automaton (proven Turing complete by Matthew Cook, 2004)
|
| 6 |
-
2. A Brainfuck interpreter
|
| 7 |
-
|
| 8 |
-
If these run correctly on the threshold circuits, the system is Turing complete.
|
| 9 |
-
|
| 10 |
-
A skeptic would demand: "Prove computational universality. Show me a known
|
| 11 |
-
Turing-complete system running on your circuits."
|
| 12 |
-
"""
|
| 13 |
-
|
| 14 |
-
import torch
|
| 15 |
-
from safetensors.torch import load_file
|
| 16 |
-
|
| 17 |
-
# Load circuits
|
| 18 |
-
model = load_file('neural_computer.safetensors')
|
| 19 |
-
|
| 20 |
-
def heaviside(x):
|
| 21 |
-
return (x >= 0).float()
|
| 22 |
-
|
| 23 |
-
# =============================================================================
|
| 24 |
-
# CIRCUIT PRIMITIVES
|
| 25 |
-
# =============================================================================
|
| 26 |
-
|
| 27 |
-
def eval_and(a, b):
|
| 28 |
-
"""AND gate using threshold circuits."""
|
| 29 |
-
inp = torch.tensor([float(a), float(b)])
|
| 30 |
-
w = model['boolean.and.weight']
|
| 31 |
-
bias = model['boolean.and.bias']
|
| 32 |
-
return int(heaviside(inp @ w + bias).item())
|
| 33 |
-
|
| 34 |
-
def eval_or(a, b):
|
| 35 |
-
"""OR gate using threshold circuits."""
|
| 36 |
-
inp = torch.tensor([float(a), float(b)])
|
| 37 |
-
w = model['boolean.or.weight']
|
| 38 |
-
bias = model['boolean.or.bias']
|
| 39 |
-
return int(heaviside(inp @ w + bias).item())
|
| 40 |
-
|
| 41 |
-
def eval_not(a):
|
| 42 |
-
"""NOT gate using threshold circuits."""
|
| 43 |
-
inp = torch.tensor([float(a)])
|
| 44 |
-
w = model['boolean.not.weight']
|
| 45 |
-
bias = model['boolean.not.bias']
|
| 46 |
-
return int(heaviside(inp @ w + bias).item())
|
| 47 |
-
|
| 48 |
-
def eval_xor(a, b):
|
| 49 |
-
"""XOR gate using threshold circuits."""
|
| 50 |
-
inp = torch.tensor([float(a), float(b)])
|
| 51 |
-
w1_n1 = model['boolean.xor.layer1.neuron1.weight']
|
| 52 |
-
b1_n1 = model['boolean.xor.layer1.neuron1.bias']
|
| 53 |
-
w1_n2 = model['boolean.xor.layer1.neuron2.weight']
|
| 54 |
-
b1_n2 = model['boolean.xor.layer1.neuron2.bias']
|
| 55 |
-
w2 = model['boolean.xor.layer2.weight']
|
| 56 |
-
b2 = model['boolean.xor.layer2.bias']
|
| 57 |
-
h1 = heaviside(inp @ w1_n1 + b1_n1)
|
| 58 |
-
h2 = heaviside(inp @ w1_n2 + b1_n2)
|
| 59 |
-
hidden = torch.tensor([h1.item(), h2.item()])
|
| 60 |
-
return int(heaviside(hidden @ w2 + b2).item())
|
| 61 |
-
|
| 62 |
-
def eval_nand(a, b):
|
| 63 |
-
"""NAND gate using threshold circuits."""
|
| 64 |
-
inp = torch.tensor([float(a), float(b)])
|
| 65 |
-
w = model['boolean.nand.weight']
|
| 66 |
-
bias = model['boolean.nand.bias']
|
| 67 |
-
return int(heaviside(inp @ w + bias).item())
|
| 68 |
-
|
| 69 |
-
def eval_nor(a, b):
|
| 70 |
-
"""NOR gate using threshold circuits."""
|
| 71 |
-
inp = torch.tensor([float(a), float(b)])
|
| 72 |
-
w = model['boolean.nor.weight']
|
| 73 |
-
bias = model['boolean.nor.bias']
|
| 74 |
-
return int(heaviside(inp @ w + bias).item())
|
| 75 |
-
|
| 76 |
-
def eval_xor_arith(inp, prefix):
|
| 77 |
-
"""Evaluate XOR for arithmetic circuits."""
|
| 78 |
-
w1_or = model[f'{prefix}.layer1.or.weight']
|
| 79 |
-
b1_or = model[f'{prefix}.layer1.or.bias']
|
| 80 |
-
w1_nand = model[f'{prefix}.layer1.nand.weight']
|
| 81 |
-
b1_nand = model[f'{prefix}.layer1.nand.bias']
|
| 82 |
-
w2 = model[f'{prefix}.layer2.weight']
|
| 83 |
-
b2 = model[f'{prefix}.layer2.bias']
|
| 84 |
-
h_or = heaviside(inp @ w1_or + b1_or)
|
| 85 |
-
h_nand = heaviside(inp @ w1_nand + b1_nand)
|
| 86 |
-
hidden = torch.tensor([h_or.item(), h_nand.item()])
|
| 87 |
-
return heaviside(hidden @ w2 + b2).item()
|
| 88 |
-
|
| 89 |
-
def eval_full_adder(a, b, cin, prefix):
|
| 90 |
-
"""Evaluate full adder."""
|
| 91 |
-
inp_ab = torch.tensor([a, b], dtype=torch.float32)
|
| 92 |
-
ha1_sum = eval_xor_arith(inp_ab, f'{prefix}.ha1.sum')
|
| 93 |
-
w_c1 = model[f'{prefix}.ha1.carry.weight']
|
| 94 |
-
b_c1 = model[f'{prefix}.ha1.carry.bias']
|
| 95 |
-
ha1_carry = heaviside(inp_ab @ w_c1 + b_c1).item()
|
| 96 |
-
inp_ha2 = torch.tensor([ha1_sum, cin], dtype=torch.float32)
|
| 97 |
-
ha2_sum = eval_xor_arith(inp_ha2, f'{prefix}.ha2.sum')
|
| 98 |
-
w_c2 = model[f'{prefix}.ha2.carry.weight']
|
| 99 |
-
b_c2 = model[f'{prefix}.ha2.carry.bias']
|
| 100 |
-
ha2_carry = heaviside(inp_ha2 @ w_c2 + b_c2).item()
|
| 101 |
-
inp_cout = torch.tensor([ha1_carry, ha2_carry], dtype=torch.float32)
|
| 102 |
-
w_or = model[f'{prefix}.carry_or.weight']
|
| 103 |
-
b_or = model[f'{prefix}.carry_or.bias']
|
| 104 |
-
cout = heaviside(inp_cout @ w_or + b_or).item()
|
| 105 |
-
return int(ha2_sum), int(cout)
|
| 106 |
-
|
| 107 |
-
def circuit_add(a, b):
|
| 108 |
-
"""8-bit addition using threshold circuits."""
|
| 109 |
-
carry = 0.0
|
| 110 |
-
result_bits = []
|
| 111 |
-
for i in range(8):
|
| 112 |
-
a_bit = (a >> i) & 1
|
| 113 |
-
b_bit = (b >> i) & 1
|
| 114 |
-
s, carry = eval_full_adder(float(a_bit), float(b_bit), carry,
|
| 115 |
-
f'arithmetic.ripplecarry8bit.fa{i}')
|
| 116 |
-
result_bits.append(s)
|
| 117 |
-
return sum(result_bits[i] * (2**i) for i in range(8))
|
| 118 |
-
|
| 119 |
-
def circuit_sub(a, b):
|
| 120 |
-
"""8-bit subtraction using threshold circuits."""
|
| 121 |
-
not_b = (~b) & 0xFF
|
| 122 |
-
temp = circuit_add(a, not_b)
|
| 123 |
-
return circuit_add(temp, 1)
|
| 124 |
-
|
| 125 |
-
# =============================================================================
|
| 126 |
-
# RULE 110 CELLULAR AUTOMATON
|
| 127 |
-
# =============================================================================
|
| 128 |
-
"""
|
| 129 |
-
Rule 110 is proven Turing complete (Matthew Cook, 2004).
|
| 130 |
-
|
| 131 |
-
Rule table (input pattern -> output):
|
| 132 |
-
111 -> 0
|
| 133 |
-
110 -> 1
|
| 134 |
-
101 -> 1
|
| 135 |
-
100 -> 0
|
| 136 |
-
011 -> 1
|
| 137 |
-
010 -> 1
|
| 138 |
-
001 -> 1
|
| 139 |
-
000 -> 0
|
| 140 |
-
|
| 141 |
-
Binary: 01101110 = 110 (hence "Rule 110")
|
| 142 |
-
|
| 143 |
-
The output can be computed as:
|
| 144 |
-
out = (center XOR right) OR (center AND (NOT left))
|
| 145 |
-
|
| 146 |
-
Or equivalently:
|
| 147 |
-
out = NOT(left AND center AND right) AND (center OR right)
|
| 148 |
-
"""
|
| 149 |
-
|
| 150 |
-
def rule110_cell(left, center, right):
|
| 151 |
-
"""
|
| 152 |
-
Compute Rule 110 for one cell using threshold circuits.
|
| 153 |
-
|
| 154 |
-
Rule 110: out = (center XOR right) OR (NOT left AND center)
|
| 155 |
-
|
| 156 |
-
Truth table verification:
|
| 157 |
-
L C R | out
|
| 158 |
-
0 0 0 | 0
|
| 159 |
-
0 0 1 | 1
|
| 160 |
-
0 1 0 | 1
|
| 161 |
-
0 1 1 | 1
|
| 162 |
-
1 0 0 | 0
|
| 163 |
-
1 0 1 | 1
|
| 164 |
-
1 1 0 | 1
|
| 165 |
-
1 1 1 | 0
|
| 166 |
-
"""
|
| 167 |
-
# Compute using threshold gates
|
| 168 |
-
not_left = eval_not(left)
|
| 169 |
-
c_xor_r = eval_xor(center, right)
|
| 170 |
-
not_left_and_c = eval_and(not_left, center)
|
| 171 |
-
result = eval_or(c_xor_r, not_left_and_c)
|
| 172 |
-
return result
|
| 173 |
-
|
| 174 |
-
def rule110_step(tape):
|
| 175 |
-
"""Compute one step of Rule 110 on a tape (list of 0/1)."""
|
| 176 |
-
n = len(tape)
|
| 177 |
-
new_tape = []
|
| 178 |
-
for i in range(n):
|
| 179 |
-
left = tape[(i - 1) % n]
|
| 180 |
-
center = tape[i]
|
| 181 |
-
right = tape[(i + 1) % n]
|
| 182 |
-
new_tape.append(rule110_cell(left, center, right))
|
| 183 |
-
return new_tape
|
| 184 |
-
|
| 185 |
-
def python_rule110_cell(left, center, right):
|
| 186 |
-
"""Python reference implementation of Rule 110."""
|
| 187 |
-
pattern = (left << 2) | (center << 1) | right
|
| 188 |
-
# Rule 110 = 01101110 in binary
|
| 189 |
-
rule = 0b01101110
|
| 190 |
-
return (rule >> pattern) & 1
|
| 191 |
-
|
| 192 |
-
def python_rule110_step(tape):
|
| 193 |
-
"""Python reference implementation."""
|
| 194 |
-
n = len(tape)
|
| 195 |
-
return [python_rule110_cell(tape[(i-1)%n], tape[i], tape[(i+1)%n])
|
| 196 |
-
for i in range(n)]
|
| 197 |
-
|
| 198 |
-
# =============================================================================
|
| 199 |
-
# BRAINFUCK INTERPRETER
|
| 200 |
-
# =============================================================================
|
| 201 |
-
"""
|
| 202 |
-
Brainfuck is a Turing-complete language with 8 commands:
|
| 203 |
-
> Increment data pointer
|
| 204 |
-
< Decrement data pointer
|
| 205 |
-
+ Increment byte at data pointer
|
| 206 |
-
- Decrement byte at data pointer
|
| 207 |
-
. Output byte at data pointer
|
| 208 |
-
, Input byte to data pointer
|
| 209 |
-
[ Jump forward past matching ] if byte is zero
|
| 210 |
-
] Jump back to matching [ if byte is nonzero
|
| 211 |
-
"""
|
| 212 |
-
|
| 213 |
-
class BrainfuckVM:
|
| 214 |
-
"""Brainfuck interpreter using threshold circuits for all operations."""
|
| 215 |
-
|
| 216 |
-
def __init__(self, code, input_bytes=None, tape_size=256, max_steps=10000):
|
| 217 |
-
self.code = code
|
| 218 |
-
self.tape = [0] * tape_size
|
| 219 |
-
self.tape_size = tape_size
|
| 220 |
-
self.dp = 0 # Data pointer
|
| 221 |
-
self.ip = 0 # Instruction pointer
|
| 222 |
-
self.input_buffer = list(input_bytes) if input_bytes else []
|
| 223 |
-
self.output_buffer = []
|
| 224 |
-
self.max_steps = max_steps
|
| 225 |
-
self.steps = 0
|
| 226 |
-
|
| 227 |
-
# Precompute bracket matching
|
| 228 |
-
self.brackets = self._match_brackets()
|
| 229 |
-
|
| 230 |
-
def _match_brackets(self):
|
| 231 |
-
"""Match [ and ] brackets."""
|
| 232 |
-
stack = []
|
| 233 |
-
matches = {}
|
| 234 |
-
for i, c in enumerate(self.code):
|
| 235 |
-
if c == '[':
|
| 236 |
-
stack.append(i)
|
| 237 |
-
elif c == ']':
|
| 238 |
-
if stack:
|
| 239 |
-
j = stack.pop()
|
| 240 |
-
matches[j] = i
|
| 241 |
-
matches[i] = j
|
| 242 |
-
return matches
|
| 243 |
-
|
| 244 |
-
def step(self):
|
| 245 |
-
"""Execute one instruction using threshold circuits."""
|
| 246 |
-
if self.ip >= len(self.code) or self.steps >= self.max_steps:
|
| 247 |
-
return False
|
| 248 |
-
|
| 249 |
-
cmd = self.code[self.ip]
|
| 250 |
-
|
| 251 |
-
if cmd == '>':
|
| 252 |
-
# Increment pointer using circuit
|
| 253 |
-
self.dp = circuit_add(self.dp, 1) % self.tape_size
|
| 254 |
-
self.ip = circuit_add(self.ip, 1)
|
| 255 |
-
|
| 256 |
-
elif cmd == '<':
|
| 257 |
-
# Decrement pointer using circuit
|
| 258 |
-
self.dp = circuit_sub(self.dp, 1) % self.tape_size
|
| 259 |
-
self.ip = circuit_add(self.ip, 1)
|
| 260 |
-
|
| 261 |
-
elif cmd == '+':
|
| 262 |
-
# Increment cell using circuit
|
| 263 |
-
self.tape[self.dp] = circuit_add(self.tape[self.dp], 1) & 0xFF
|
| 264 |
-
self.ip = circuit_add(self.ip, 1)
|
| 265 |
-
|
| 266 |
-
elif cmd == '-':
|
| 267 |
-
# Decrement cell using circuit
|
| 268 |
-
self.tape[self.dp] = circuit_sub(self.tape[self.dp], 1) & 0xFF
|
| 269 |
-
self.ip = circuit_add(self.ip, 1)
|
| 270 |
-
|
| 271 |
-
elif cmd == '.':
|
| 272 |
-
# Output
|
| 273 |
-
self.output_buffer.append(self.tape[self.dp])
|
| 274 |
-
self.ip = circuit_add(self.ip, 1)
|
| 275 |
-
|
| 276 |
-
elif cmd == ',':
|
| 277 |
-
# Input
|
| 278 |
-
if self.input_buffer:
|
| 279 |
-
self.tape[self.dp] = self.input_buffer.pop(0)
|
| 280 |
-
else:
|
| 281 |
-
self.tape[self.dp] = 0
|
| 282 |
-
self.ip = circuit_add(self.ip, 1)
|
| 283 |
-
|
| 284 |
-
elif cmd == '[':
|
| 285 |
-
# Jump if zero
|
| 286 |
-
if self.tape[self.dp] == 0:
|
| 287 |
-
self.ip = self.brackets.get(self.ip, self.ip) + 1
|
| 288 |
-
else:
|
| 289 |
-
self.ip = circuit_add(self.ip, 1)
|
| 290 |
-
|
| 291 |
-
elif cmd == ']':
|
| 292 |
-
# Jump if nonzero
|
| 293 |
-
if self.tape[self.dp] != 0:
|
| 294 |
-
self.ip = self.brackets.get(self.ip, self.ip)
|
| 295 |
-
else:
|
| 296 |
-
self.ip = circuit_add(self.ip, 1)
|
| 297 |
-
else:
|
| 298 |
-
# Skip non-command characters
|
| 299 |
-
self.ip = circuit_add(self.ip, 1)
|
| 300 |
-
|
| 301 |
-
self.steps += 1
|
| 302 |
-
return True
|
| 303 |
-
|
| 304 |
-
def run(self):
|
| 305 |
-
"""Run until halted."""
|
| 306 |
-
while self.step():
|
| 307 |
-
pass
|
| 308 |
-
return self.output_buffer
|
| 309 |
-
|
| 310 |
-
def get_output_string(self):
|
| 311 |
-
"""Get output as string."""
|
| 312 |
-
return ''.join(chr(b) for b in self.output_buffer if 32 <= b < 127)
|
| 313 |
-
|
| 314 |
-
# =============================================================================
|
| 315 |
-
# TESTS
|
| 316 |
-
# =============================================================================
|
| 317 |
-
|
| 318 |
-
def test_rule110_single_cell():
|
| 319 |
-
"""Verify Rule 110 single-cell computation."""
|
| 320 |
-
print("\n[TEST 1] Rule 110 Single Cell Verification")
|
| 321 |
-
print("-" * 60)
|
| 322 |
-
|
| 323 |
-
# Test all 8 patterns
|
| 324 |
-
expected = {
|
| 325 |
-
(0,0,0): 0,
|
| 326 |
-
(0,0,1): 1,
|
| 327 |
-
(0,1,0): 1,
|
| 328 |
-
(0,1,1): 1,
|
| 329 |
-
(1,0,0): 0,
|
| 330 |
-
(1,0,1): 1,
|
| 331 |
-
(1,1,0): 1,
|
| 332 |
-
(1,1,1): 0,
|
| 333 |
-
}
|
| 334 |
-
|
| 335 |
-
errors = []
|
| 336 |
-
print(" L C R | Circuit | Python | Expected")
|
| 337 |
-
print(" " + "-" * 40)
|
| 338 |
-
|
| 339 |
-
for (l, c, r), exp in expected.items():
|
| 340 |
-
circuit_out = rule110_cell(l, c, r)
|
| 341 |
-
python_out = python_rule110_cell(l, c, r)
|
| 342 |
-
|
| 343 |
-
match = circuit_out == exp and python_out == exp
|
| 344 |
-
status = "OK" if match else "FAIL"
|
| 345 |
-
|
| 346 |
-
print(f" {l} {c} {r} | {circuit_out} | {python_out} | {exp} [{status}]")
|
| 347 |
-
|
| 348 |
-
if not match:
|
| 349 |
-
errors.append((l, c, r, exp, circuit_out))
|
| 350 |
-
|
| 351 |
-
print()
|
| 352 |
-
if errors:
|
| 353 |
-
print(f" FAILED: {len(errors)} errors")
|
| 354 |
-
return False
|
| 355 |
-
else:
|
| 356 |
-
print(" PASSED: All 8 Rule 110 patterns verified")
|
| 357 |
-
return True
|
| 358 |
-
|
| 359 |
-
def test_rule110_evolution():
|
| 360 |
-
"""Test Rule 110 tape evolution."""
|
| 361 |
-
print("\n[TEST 2] Rule 110 Tape Evolution")
|
| 362 |
-
print("-" * 60)
|
| 363 |
-
|
| 364 |
-
# Initial tape with single 1
|
| 365 |
-
tape_size = 20
|
| 366 |
-
tape = [0] * tape_size
|
| 367 |
-
tape[-2] = 1 # Single 1 near right edge
|
| 368 |
-
|
| 369 |
-
steps = 15
|
| 370 |
-
|
| 371 |
-
print(f" Tape size: {tape_size}, Steps: {steps}")
|
| 372 |
-
print(f" Initial: {''.join(str(b) for b in tape)}")
|
| 373 |
-
print()
|
| 374 |
-
|
| 375 |
-
circuit_tape = tape.copy()
|
| 376 |
-
python_tape = tape.copy()
|
| 377 |
-
|
| 378 |
-
all_match = True
|
| 379 |
-
|
| 380 |
-
for step in range(steps):
|
| 381 |
-
circuit_tape = rule110_step(circuit_tape)
|
| 382 |
-
python_tape = python_rule110_step(python_tape)
|
| 383 |
-
|
| 384 |
-
match = circuit_tape == python_tape
|
| 385 |
-
if not match:
|
| 386 |
-
all_match = False
|
| 387 |
-
|
| 388 |
-
# Visual display
|
| 389 |
-
visual = ''.join('#' if b else '.' for b in circuit_tape)
|
| 390 |
-
status = "" if match else " <-- MISMATCH"
|
| 391 |
-
print(f" Step {step+1:2d}: {visual}{status}")
|
| 392 |
-
|
| 393 |
-
print()
|
| 394 |
-
if all_match:
|
| 395 |
-
print(" PASSED: Circuit evolution matches Python reference")
|
| 396 |
-
return True
|
| 397 |
-
else:
|
| 398 |
-
print(" FAILED: Evolution mismatch detected")
|
| 399 |
-
return False
|
| 400 |
-
|
| 401 |
-
def test_rule110_known_pattern():
|
| 402 |
-
"""Test Rule 110 produces known patterns."""
|
| 403 |
-
print("\n[TEST 3] Rule 110 Known Pattern Verification")
|
| 404 |
-
print("-" * 60)
|
| 405 |
-
|
| 406 |
-
# Rule 110 from a single cell produces a characteristic pattern
|
| 407 |
-
# The pattern should show the "triangular" growth typical of Rule 110
|
| 408 |
-
|
| 409 |
-
tape = [0] * 40
|
| 410 |
-
tape[-2] = 1
|
| 411 |
-
|
| 412 |
-
# Run for 20 steps
|
| 413 |
-
for _ in range(20):
|
| 414 |
-
tape = rule110_step(tape)
|
| 415 |
-
|
| 416 |
-
# Count active cells - should be growing in a specific way
|
| 417 |
-
active_cells = sum(tape)
|
| 418 |
-
|
| 419 |
-
print(f" Final tape: {''.join('#' if b else '.' for b in tape)}")
|
| 420 |
-
print(f" Active cells: {active_cells}")
|
| 421 |
-
|
| 422 |
-
# Rule 110 from single cell should have 10-15 active cells after 20 steps
|
| 423 |
-
# (this is approximate - the exact count depends on boundary conditions)
|
| 424 |
-
|
| 425 |
-
if 5 <= active_cells <= 25:
|
| 426 |
-
print(" PASSED: Pattern shows expected Rule 110 behavior")
|
| 427 |
-
return True
|
| 428 |
-
else:
|
| 429 |
-
print(" FAILED: Unexpected cell count")
|
| 430 |
-
return False
|
| 431 |
-
|
| 432 |
-
def test_brainfuck_simple():
|
| 433 |
-
"""Test simple Brainfuck program."""
|
| 434 |
-
print("\n[TEST 4] Brainfuck Simple Addition")
|
| 435 |
-
print("-" * 60)
|
| 436 |
-
|
| 437 |
-
# Program: Add 2 + 3
|
| 438 |
-
# Cell 0 = 2, Cell 1 = 3
|
| 439 |
-
# Move cell 1 to cell 0 (result: cell 0 = 5)
|
| 440 |
-
|
| 441 |
-
# ++ cell[0] = 2
|
| 442 |
-
# >+++ cell[1] = 3
|
| 443 |
-
# [<+>-] move cell[1] to cell[0]
|
| 444 |
-
# <. output cell[0]
|
| 445 |
-
|
| 446 |
-
code = "++>+++[<+>-]<."
|
| 447 |
-
|
| 448 |
-
print(f" Code: {code}")
|
| 449 |
-
print(" Expected: Output byte 5 (2 + 3)")
|
| 450 |
-
print()
|
| 451 |
-
|
| 452 |
-
vm = BrainfuckVM(code)
|
| 453 |
-
output = vm.run()
|
| 454 |
-
|
| 455 |
-
print(f" Output: {output}")
|
| 456 |
-
print(f" Steps: {vm.steps}")
|
| 457 |
-
|
| 458 |
-
if output == [5]:
|
| 459 |
-
print(" PASSED: 2 + 3 = 5")
|
| 460 |
-
return True
|
| 461 |
-
else:
|
| 462 |
-
print(f" FAILED: Expected [5], got {output}")
|
| 463 |
-
return False
|
| 464 |
-
|
| 465 |
-
def test_brainfuck_multiply():
|
| 466 |
-
"""Test Brainfuck multiplication."""
|
| 467 |
-
print("\n[TEST 5] Brainfuck Multiplication")
|
| 468 |
-
print("-" * 60)
|
| 469 |
-
|
| 470 |
-
# Multiply 3 * 4 = 12
|
| 471 |
-
# Uses nested loops
|
| 472 |
-
|
| 473 |
-
# +++ cell[0] = 3 (multiplicand)
|
| 474 |
-
# >++++ cell[1] = 4 (multiplier)
|
| 475 |
-
# [< for each count in cell[1]:
|
| 476 |
-
# [>+>+<<-] copy cell[0] to cell[2], using cell[3] as temp
|
| 477 |
-
# >>[-<<+>>] move cell[3] back to cell[0]
|
| 478 |
-
# <<
|
| 479 |
-
# >-] decrement multiplier
|
| 480 |
-
# >> move to result (cell[2])
|
| 481 |
-
# . output
|
| 482 |
-
|
| 483 |
-
# Simpler version: 3 * 4 using basic loop
|
| 484 |
-
# Cell 0 = 3, Cell 1 = 4
|
| 485 |
-
# Result in Cell 2
|
| 486 |
-
|
| 487 |
-
code = "+++>++++[<[>>+<<-]>[>+<-]>[-<+<+>>]<<<-]>>."
|
| 488 |
-
|
| 489 |
-
# Even simpler: just compute 3 * 4 by adding 3 four times
|
| 490 |
-
# ++++ ++++ ++++ (12 plusses)
|
| 491 |
-
code_simple = "++++++++++++" # 12 plusses
|
| 492 |
-
code_simple += "."
|
| 493 |
-
|
| 494 |
-
print(f" Code: {code_simple}")
|
| 495 |
-
print(" Expected: Output byte 12")
|
| 496 |
-
print()
|
| 497 |
-
|
| 498 |
-
vm = BrainfuckVM(code_simple)
|
| 499 |
-
output = vm.run()
|
| 500 |
-
|
| 501 |
-
print(f" Output: {output}")
|
| 502 |
-
|
| 503 |
-
if output == [12]:
|
| 504 |
-
print(" PASSED: Output is 12")
|
| 505 |
-
return True
|
| 506 |
-
else:
|
| 507 |
-
print(f" FAILED: Expected [12], got {output}")
|
| 508 |
-
return False
|
| 509 |
-
|
| 510 |
-
def test_brainfuck_loop():
|
| 511 |
-
"""Test Brainfuck loops work correctly."""
|
| 512 |
-
print("\n[TEST 6] Brainfuck Loop Verification")
|
| 513 |
-
print("-" * 60)
|
| 514 |
-
|
| 515 |
-
# Count down from 5 to 0, output each value
|
| 516 |
-
# +++++ cell[0] = 5
|
| 517 |
-
# [.-] while cell[0]: output, decrement
|
| 518 |
-
|
| 519 |
-
code = "+++++[.-]"
|
| 520 |
-
|
| 521 |
-
print(f" Code: {code}")
|
| 522 |
-
print(" Expected: Output [5, 4, 3, 2, 1]")
|
| 523 |
-
print()
|
| 524 |
-
|
| 525 |
-
vm = BrainfuckVM(code)
|
| 526 |
-
output = vm.run()
|
| 527 |
-
|
| 528 |
-
print(f" Output: {output}")
|
| 529 |
-
print(f" Steps: {vm.steps}")
|
| 530 |
-
|
| 531 |
-
if output == [5, 4, 3, 2, 1]:
|
| 532 |
-
print(" PASSED: Loop countdown works")
|
| 533 |
-
return True
|
| 534 |
-
else:
|
| 535 |
-
print(f" FAILED: Expected [5,4,3,2,1], got {output}")
|
| 536 |
-
return False
|
| 537 |
-
|
| 538 |
-
def test_brainfuck_hello():
|
| 539 |
-
"""Test Brainfuck Hello World (simplified)."""
|
| 540 |
-
print("\n[TEST 7] Brainfuck 'Hi' Output")
|
| 541 |
-
print("-" * 60)
|
| 542 |
-
|
| 543 |
-
# Output 'H' (72) and 'i' (105)
|
| 544 |
-
# Build 72: 8*9 = 72
|
| 545 |
-
# Build 105: 105 = 10*10 + 5
|
| 546 |
-
|
| 547 |
-
# Simpler: just increment to the values
|
| 548 |
-
# H = 72, i = 105
|
| 549 |
-
|
| 550 |
-
# Cell 0 -> 72 (H)
|
| 551 |
-
code_h = "+" * 72 + "."
|
| 552 |
-
# Cell 0 -> 105 (i) = 72 + 33
|
| 553 |
-
code_i = "+" * 33 + "."
|
| 554 |
-
|
| 555 |
-
code = code_h + code_i
|
| 556 |
-
|
| 557 |
-
print(f" Code length: {len(code)} characters")
|
| 558 |
-
print(" Expected: 'Hi' (bytes 72, 105)")
|
| 559 |
-
print()
|
| 560 |
-
|
| 561 |
-
vm = BrainfuckVM(code, max_steps=50000)
|
| 562 |
-
output = vm.run()
|
| 563 |
-
|
| 564 |
-
output_str = ''.join(chr(b) for b in output)
|
| 565 |
-
print(f" Output bytes: {output}")
|
| 566 |
-
print(f" Output string: '{output_str}'")
|
| 567 |
-
print(f" Steps: {vm.steps}")
|
| 568 |
-
|
| 569 |
-
if output == [72, 105]:
|
| 570 |
-
print(" PASSED: Output is 'Hi'")
|
| 571 |
-
return True
|
| 572 |
-
else:
|
| 573 |
-
print(f" FAILED: Expected [72, 105], got {output}")
|
| 574 |
-
return False
|
| 575 |
-
|
| 576 |
-
def test_brainfuck_nested_loops():
|
| 577 |
-
"""Test nested loop handling."""
|
| 578 |
-
print("\n[TEST 8] Brainfuck Nested Loops")
|
| 579 |
-
print("-" * 60)
|
| 580 |
-
|
| 581 |
-
# Nested loop test:
|
| 582 |
-
# ++[>++[>++<-]<-]>>.
|
| 583 |
-
# This should compute 2 * 2 * 2 = 8 in cell 2
|
| 584 |
-
|
| 585 |
-
code = "++[>++[>++<-]<-]>>."
|
| 586 |
-
|
| 587 |
-
print(f" Code: {code}")
|
| 588 |
-
print(" Expected: 2 * 2 * 2 = 8")
|
| 589 |
-
print()
|
| 590 |
-
|
| 591 |
-
vm = BrainfuckVM(code)
|
| 592 |
-
output = vm.run()
|
| 593 |
-
|
| 594 |
-
print(f" Output: {output}")
|
| 595 |
-
print(f" Steps: {vm.steps}")
|
| 596 |
-
print(f" Tape[0:5]: {vm.tape[0:5]}")
|
| 597 |
-
|
| 598 |
-
if output == [8]:
|
| 599 |
-
print(" PASSED: Nested loops work correctly")
|
| 600 |
-
return True
|
| 601 |
-
else:
|
| 602 |
-
print(f" FAILED: Expected [8], got {output}")
|
| 603 |
-
return False
|
| 604 |
-
|
| 605 |
-
def test_turing_completeness_argument():
|
| 606 |
-
"""Summarize the Turing completeness argument."""
|
| 607 |
-
print("\n[TEST 9] Turing Completeness Argument")
|
| 608 |
-
print("-" * 60)
|
| 609 |
-
|
| 610 |
-
print("""
|
| 611 |
-
CLAIM: The threshold logic computer is Turing complete.
|
| 612 |
-
|
| 613 |
-
PROOF:
|
| 614 |
-
|
| 615 |
-
1. Rule 110 cellular automaton is proven Turing complete
|
| 616 |
-
(Matthew Cook, 2004, published in Complex Systems).
|
| 617 |
-
|
| 618 |
-
2. We have demonstrated that our threshold circuits correctly
|
| 619 |
-
implement Rule 110:
|
| 620 |
-
- All 8 cell transition rules verified
|
| 621 |
-
- Multi-step evolution matches reference implementation
|
| 622 |
-
- Characteristic patterns emerge correctly
|
| 623 |
-
|
| 624 |
-
3. Brainfuck is a known Turing-complete language.
|
| 625 |
-
|
| 626 |
-
4. We have demonstrated a working Brainfuck interpreter
|
| 627 |
-
running on threshold circuits:
|
| 628 |
-
- Arithmetic (+/-) using ripple-carry adders
|
| 629 |
-
- Loops ([/]) with proper bracket matching
|
| 630 |
-
- Memory operations (>/<) using modular arithmetic
|
| 631 |
-
- I/O operations
|
| 632 |
-
|
| 633 |
-
5. Since our threshold circuits can simulate Turing-complete
|
| 634 |
-
systems, they are themselves Turing complete.
|
| 635 |
-
|
| 636 |
-
QED.
|
| 637 |
-
|
| 638 |
-
NOTE: True Turing completeness requires unbounded memory/time.
|
| 639 |
-
Our implementation is bounded (256-byte tape, max steps),
|
| 640 |
-
making it technically a Linear Bounded Automaton. However,
|
| 641 |
-
these limits are implementation choices, not fundamental
|
| 642 |
-
constraints of the threshold logic architecture.
|
| 643 |
-
""")
|
| 644 |
-
|
| 645 |
-
return True
|
| 646 |
-
|
| 647 |
-
# =============================================================================
|
| 648 |
-
# MAIN
|
| 649 |
-
# =============================================================================
|
| 650 |
-
|
| 651 |
-
if __name__ == "__main__":
|
| 652 |
-
print("=" * 70)
|
| 653 |
-
print(" TEST #8: TURING COMPLETENESS PROOF")
|
| 654 |
-
print(" Demonstrating computational universality via Rule 110 and Brainfuck")
|
| 655 |
-
print("=" * 70)
|
| 656 |
-
|
| 657 |
-
results = []
|
| 658 |
-
|
| 659 |
-
# Rule 110 tests
|
| 660 |
-
results.append(("Rule 110 single cell", test_rule110_single_cell()))
|
| 661 |
-
results.append(("Rule 110 evolution", test_rule110_evolution()))
|
| 662 |
-
results.append(("Rule 110 patterns", test_rule110_known_pattern()))
|
| 663 |
-
|
| 664 |
-
# Brainfuck tests
|
| 665 |
-
results.append(("BF simple addition", test_brainfuck_simple()))
|
| 666 |
-
results.append(("BF multiplication", test_brainfuck_multiply()))
|
| 667 |
-
results.append(("BF loop countdown", test_brainfuck_loop()))
|
| 668 |
-
results.append(("BF 'Hi' output", test_brainfuck_hello()))
|
| 669 |
-
results.append(("BF nested loops", test_brainfuck_nested_loops()))
|
| 670 |
-
|
| 671 |
-
# Theoretical argument
|
| 672 |
-
results.append(("Completeness argument", test_turing_completeness_argument()))
|
| 673 |
-
|
| 674 |
-
print("\n" + "=" * 70)
|
| 675 |
-
print(" SUMMARY")
|
| 676 |
-
print("=" * 70)
|
| 677 |
-
|
| 678 |
-
passed = sum(1 for _, r in results if r)
|
| 679 |
-
total = len(results)
|
| 680 |
-
|
| 681 |
-
for name, r in results:
|
| 682 |
-
status = "PASS" if r else "FAIL"
|
| 683 |
-
print(f" {name:25s} [{status}]")
|
| 684 |
-
|
| 685 |
-
print(f"\n Total: {passed}/{total} tests passed")
|
| 686 |
-
|
| 687 |
-
if passed == total:
|
| 688 |
-
print("\n STATUS: TURING COMPLETENESS DEMONSTRATED")
|
| 689 |
-
print(" Rule 110 and Brainfuck execute correctly on threshold circuits.")
|
| 690 |
-
else:
|
| 691 |
-
print("\n STATUS: SOME COMPLETENESS TESTS FAILED")
|
| 692 |
-
|
| 693 |
-
print("=" * 70)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|