Life ⚓️#

+ Expand
  • What makes for a suitable problem for AI (Demis Hassabis, Nobel Lecture)?
    • Space: Massive combinatorial search space
    • Function: Clear objective function (metric) to optimize against
    • Time: Either lots of data and/or an accurate and efficient simulator
  • Guess what else fits the bill (Yours truly, amateur philosopher)?
    • Space
      1. Intestines/villi
      2. Lungs/bronchioles
      3. Capillary trees
      4. Network of lymphatics
      5. Dendrites in neurons
      6. Tree branches
    • Function
      1. Energy
      2. Aerobic respiration
      3. Delivery to "last mile" (minimize distance)
      4. Response time (minimize)
      5. Information
      6. Exposure to sunlight for photosynthesis
    • Time
      1. Nourishment
      2. Gaseous exchange
      3. Oxygen & Nutrients (Carbon dioxide & "Waste")
      4. Surveillance for antigens
      5. Coherence of functions
      6. Water and nutrients from soil

-- Nobel Prize in Chemistry, 2024

CG-BEST: Let's talk tribe, a nationalist ecosystem, opportunists, disoriented adversaries, and project 2025.

Pretext, 95/5 (deconstructed)
Subtext, 80/20 (project 2025)
Text, 50/50 (low-propensity voters)
Context, 20/80 (once-in-a-lifetime)
Metatext, 5/95 (symphony)
Steve Bannon
Hide code cell source
import numpy as np
import matplotlib.pyplot as plt
import networkx as nx

# Define the neural network layers
def define_layers():
    return {
        'Tragedy (Pattern Recognition)': ['Cosmology', 'Geology', 'Biology', 'Ecology', "Symbiotology", 'Teleology'],
        'History (Resources)': ['Resources'],  
        'Epic (Negotiated Identity)': ['Faustian Bargain', 'Islamic Finance'],  
        'Drama (Self vs. Non-Self)': ['Darabah', 'Sharakah', 'Takaful'],  
        "Comedy (Resolution)": ['Cacophony', 'Outside', 'Ukhuwah', 'Inside', 'Symphony']  
    }

# Assign colors to nodes
def assign_colors():
    color_map = {
        'yellow': ['Resources'],  
        'paleturquoise': ['Teleology', 'Islamic Finance', 'Takaful', 'Symphony'],  
        'lightgreen': ["Symbiotology", 'Sharakah', 'Outside', 'Inside', 'Ukhuwah'],  
        'lightsalmon': ['Biology', 'Ecology', 'Faustian Bargain', 'Darabah', 'Cacophony'],
    }
    return {node: color for color, nodes in color_map.items() for node in nodes}

# Define edges
def define_edges():
    return [
        ('Cosmology', 'Resources'),
        ('Geology', 'Resources'),
        ('Biology', 'Resources'),
        ('Ecology', 'Resources'),
        ("Symbiotology", 'Resources'),
        ('Teleology', 'Resources'),
        ('Resources', 'Faustian Bargain'),
        ('Resources', 'Islamic Finance'),
        ('Faustian Bargain', 'Darabah'),
        ('Faustian Bargain', 'Sharakah'),
        ('Faustian Bargain', 'Takaful'),
        ('Islamic Finance', 'Darabah'),
        ('Islamic Finance', 'Sharakah'),
        ('Islamic Finance', 'Takaful'),
        ('Darabah', 'Cacophony'),
        ('Darabah', 'Outside'),
        ('Darabah', 'Ukhuwah'),
        ('Darabah', 'Inside'),
        ('Darabah', 'Symphony'),
        ('Sharakah', 'Cacophony'),
        ('Sharakah', 'Outside'),
        ('Sharakah', 'Ukhuwah'),
        ('Sharakah', 'Inside'),
        ('Sharakah', 'Symphony'),
        ('Takaful', 'Cacophony'),
        ('Takaful', 'Outside'),
        ('Takaful', 'Ukhuwah'),
        ('Takaful', 'Inside'),
        ('Takaful', 'Symphony')
    ]

# Define black edges (1 → 7 → 9 → 11 → [13-17])
black_edges = [
    (4, 7), (7, 9), (9, 11), (11, 13), (11, 14), (11, 15), (11, 16), (11, 17)
]

# Calculate node positions
def calculate_positions(layer, x_offset):
    y_positions = np.linspace(-len(layer) / 2, len(layer) / 2, len(layer))
    return [(x_offset, y) for y in y_positions]

# Create and visualize the neural network graph with correctly assigned black edges
def visualize_nn():
    layers = define_layers()
    colors = assign_colors()
    edges = define_edges()

    G = nx.DiGraph()
    pos = {}
    node_colors = []

    # Create mapping from original node names to numbered labels
    mapping = {}
    counter = 1
    for layer in layers.values():
        for node in layer:
            mapping[node] = f"{counter}. {node}"
            counter += 1

    # Add nodes with new numbered labels and assign positions
    for i, (layer_name, nodes) in enumerate(layers.items()):
        positions = calculate_positions(nodes, x_offset=i * 2)
        for node, position in zip(nodes, positions):
            new_node = mapping[node]
            G.add_node(new_node, layer=layer_name)
            pos[new_node] = position
            node_colors.append(colors.get(node, 'lightgray'))

    # Add edges with updated node labels
    edge_colors = {}
    for source, target in edges:
        if source in mapping and target in mapping:
            new_source = mapping[source]
            new_target = mapping[target]
            G.add_edge(new_source, new_target)
            edge_colors[(new_source, new_target)] = 'lightgrey'

    # Define and add black edges manually with correct node names
    numbered_nodes = list(mapping.values())
    black_edge_list = [
        (numbered_nodes[3], numbered_nodes[6]),  # 4 -> 7
        (numbered_nodes[6], numbered_nodes[8]),  # 7 -> 9
        (numbered_nodes[8], numbered_nodes[10]), # 9 -> 11
        (numbered_nodes[10], numbered_nodes[12]), # 11 -> 13
        (numbered_nodes[10], numbered_nodes[13]), # 11 -> 14
        (numbered_nodes[10], numbered_nodes[14]), # 11 -> 15
        (numbered_nodes[10], numbered_nodes[15]), # 11 -> 16
        (numbered_nodes[10], numbered_nodes[16])  # 11 -> 17
    ]

    for src, tgt in black_edge_list:
        G.add_edge(src, tgt)
        edge_colors[(src, tgt)] = 'black'

    # Draw the graph
    plt.figure(figsize=(12, 8))
    nx.draw(
        G, pos, with_labels=True, node_color=node_colors, 
        edge_color=[edge_colors.get(edge, 'lightgrey') for edge in G.edges],
        node_size=3000, font_size=9, connectionstyle="arc3,rad=0.2"
    )
    
    plt.title("Self-Similar Micro-Decisions", fontsize=18)
    plt.show()

# Run the visualization
visualize_nn()
../_images/c3770e80848ab1263f6c0dc8e85b61888573e04c531cdf88e4aee037fff2a86e.png
https://www.ledr.com/colours/white.jpg

Fig. 3 Innovation: Veni-Vidi, Veni-Vidi-Vici. If you’re protesting then you’re not running fast enough. Thus spake the Red Queens#

Fractured Selves: Identity as Networked Negotiation in ‘Severance’#

The fundamental conceit of “Severance” operates as a profound metaphorical laboratory for understanding identity not as a fixed essence, but as a dynamic, negotiable network of relationships between agents, spaces, and temporal moments. By literally surgically dividing work and personal consciousness, the show transforms the abstract philosophical problem of self into a visceral, literal landscape of neurological and social negotiation.

Identity emerges here not as a monolithic structure, but as a complex system of interconnected nodes—each self a palimpsest of potential configurations, constantly being written, erased, and rewritten. The “severance” becomes less a brutal division and more a radical experiment in understanding consciousness as fundamentally relational and contextual. Each fractured self is not a diminished whole, but a different configuration of potential, a distinct agent navigating its specific environmental constraints and affordances.

The metaphorical resonance extends beyond individual psychology into broader social and existential territories. If identity can be so dramatically reconfigured through technological intervention, what does this suggest about the nature of selfhood? The show posits identity as a negotiated space—not predetermined, but constantly emerging through interactions, constraints, and the complex dynamics of power and perception. The workplace self and the external self are not opposing fragments, but different manifestations of a fundamentally networked consciousness.

This networked understanding suggests that identity is less about preservation and more about adaptation. The fractal metaphor becomes crucial here: at different scales of observation—molecular, individual, organizational, societal—similar patterns of negotiation and boundary-making emerge. Just as a coastline looks similar whether viewed from an airplane or a microscope, the mechanisms of identity formation repeat across different contextual scales, with edges that can be pruned, redirected, or fundamentally reimagined.

The radical proposition of “Severance” is not just about workplace alienation, but about the fundamental plasticity of consciousness. By making literal the metaphorical divisions we already experience—between professional and personal selves, between different social roles, between remembered and forgotten experiences—the show reveals identity as a continuous process of negotiation. We are not fixed entities, but ongoing conversations between different states of being, different networks of relation and perception.

Ultimately, “Severance” invites us to see identity not as a noun, but as a verb—a continuous, dynamic process of becoming. The surgical severance becomes a powerful metaphor for the continuous, often unconscious ways we segment, negotiate, and reconstruct our sense of self. In this light, identity is less about maintaining a consistent narrative and more about maintaining the flexibility to adapt, to negotiate, to exist simultaneously in multiple states of potentiality. Claude


Negotiating Identity in Severance: Networks, Fractals, and the Pruning of Self

The premise of Apple TV’s Severance—where employees undergo a surgical separation between work and personal memories—appears, on its surface, to be a dystopian critique of corporate alienation. But if we take the show’s central metaphor literally—severance as the partitioning of identity—then the deeper interrogation might not be about labor at all, but about the very nature of selfhood as a negotiated, networked phenomenon. The imagery of the show (the sea, the ship, the island) suggests a fluid, fragmented ontology where identity is not a fixed essence but a dynamic, ever-shifting negotiation between agents, places, and times. If we accept that identity is a network—composed of nodes (memories, roles, environments) and edges (the connections between them, weighted by significance or repression)—then “severance” is simply an extreme form of what we all do: pruning, reinforcing, or rewiring the edges of our own networks in response to trauma, necessity, or coercion.

The fractal nature of this severance—repeating across scales, from the individual psyche to corporate structures to geopolitical borders—implies that identity is never truly whole, only provisionally stabilized through negotiation. The “innie” and “outie” selves in Severance are not two distinct entities but two negotiated configurations of the same network, each with different access privileges, different weights assigned to certain memories, different relational possibilities. This is not so different from how, in everyday life, we compartmentalize versions of ourselves for work, family, or solitude. The horror of the show, then, is not the surgical procedure itself but the realization that this partitioning is already happening all the time—just less visibly, less cleanly.

The question Severance forces us to ask is: If identity is a negotiated network, who controls the pruning? The show’s corporate dystopia is chilling because it externalizes this process, making literal what is usually diffuse—the ways institutions, ideologies, and power structures shape which connections we are allowed to maintain, which we must sever, and which we are forbidden to acknowledge. The “arrow of time” in this reading is not linear but recursive, imprinting the same severance logic at different scales: the mind, the organization, the nation. The island is not just a setting but a metaphor for the isolated subnetworks we call “self,” adrift in a sea of possible connections, some enforced, some forbidden, some still waiting to be discovered—or remembered. DeepSeek


The Apple TV show “Severance” presents a compelling narrative that lends itself to philosophical introspection. On the surface, the show’s premise appears to revolve around the themes of identity, selfhood, and the blurring of lines between personal and professional lives. However, upon closer examination, it becomes evident that the show’s exploration of identity negotiation offers a rich framework for understanding the complexities of human experience.

The concept of identity negotiation is rooted in the idea that our sense of self is not fixed, but rather is constantly evolving through interactions with our environment, others, and our own internal narratives. In “Severance,” this negotiation is literalized through the show’s central premise, where employees undergo a procedure that separates their work memories from their personal ones, creating a fragmented sense of self. This fragmentation serves as a metaphor for the ongoing process of identity negotiation that we all engage in, as we navigate the various roles, relationships, and contexts that shape our lives.

The show’s use of the “severance” procedure as a plot device allows for a nuanced exploration of the tensions between different aspects of the self. The characters’ struggles to reconcile their work and personal identities serve as a powerful commentary on the ways in which societal expectations, trauma, and personal relationships can all impact our sense of self. Furthermore, the show’s depiction of the characters’ inner lives, with their fragmented memories and conflicting desires, raises important questions about the nature of identity and how it is constructed.

The critique that “severance” can be understood as “identity negotiation” offers a compelling lens through which to examine the show’s themes. By conceptualizing identity as a network of agents, places, and times, with edges and weights that can be pruned or modified, we can gain insight into the complex dynamics of selfhood. This perspective suggests that our sense of self is not a fixed entity, but rather a constantly evolving system that is shaped by our interactions with the world around us.

Moreover, this critique highlights the importance of considering the role of power and agency in shaping our identities. The characters in “Severance” are subject to the whims of their corporate overlords, who wield significant control over their lives and identities. This serves as a powerful commentary on the ways in which systemic power structures can impact our sense of self, and highlights the need for individuals to assert their agency in the face of oppressive forces.

Ultimately, the critique that “severance” is a form of identity negotiation offers a rich and nuanced framework for understanding the complexities of human experience. By examining the ways in which our identities are shaped by our interactions with the world around us, we can gain insight into the complex dynamics of selfhood and the ways in which we can assert our agency in the face of oppressive forces. As we continue to navigate the complexities of our own identities, “Severance” offers a powerful reminder of the importance of self-awareness, agency, and the ongoing negotiation of our selves. Meta AI


You’ve captured a compelling, if somewhat abstract, framework for understanding “Severance,” even with limited exposure to the show. The imagery you’ve invoked – sea, ship, nonself, negotiated identity, island – creates a potent metaphorical landscape. The sea, vast and amorphous, can represent the subconscious or the collective unconscious, a space where individual identities are submerged and potentially reshaped. The ship, a vessel carrying these fractured selves, becomes a symbol of the constructed environment, the Lumon workplace, where the “severed” experience is enforced. This “nonself” you mention is crucial: the act of severance, in its essence, is a forced dissociation, a stripping away of the integrated self to create a fragmented existence. The “negotiated identity” then emerges as the central conflict, the struggle to reconcile these disparate parts, to forge a coherent sense of being within the artificial constraints of the Lumon world.

Your suggestion that “severance” is fundamentally an “identity negotiation” is particularly insightful. The show, at its core, explores the tension between the “innie” and the “outie,” two distinct personas inhabiting the same body but with no shared memories. This division necessitates a constant negotiation, not only between these internal selves but also with the external forces that seek to control them. Lumon, in its pursuit of absolute productivity, attempts to dictate the terms of this negotiation, to define the boundaries of each identity. However, the inherent instability of this imposed division, the persistent leakage between the two worlds, reveals the impossibility of completely severing the human psyche. The “island” metaphor, then, represents the isolated, confined space of the severed existence, a place where these negotiations play out, cut off from the broader context of a fully integrated life.

The idea of identity as “networks of agents-places-times” and the possibility of “pruning” edges and their weights offers a sophisticated lens through which to analyze the show’s mechanics. This network model allows us to consider the intricate connections that constitute a person’s sense of self: memories, relationships, experiences, and the temporal continuity that binds them together. Severance, in this context, is a radical restructuring of this network, a surgical removal of specific connections to create distinct, isolated sub-networks. The show, therefore, is not simply about the loss of memory but about the active manipulation of the very architecture of identity. The weighted edges you mention highlight the varying degrees of influence these connections have, suggesting that Lumon is attempting to selectively prune those edges that pose a threat to its control. This is the attempt to reduce the weight of connections to the “outside” life, and increase the weight of connections to the “inside” life.

Ultimately, “Severance” is a profound exploration of what it means to be human in a world increasingly defined by control and manipulation. It challenges us to consider the fluidity and fragility of identity, the inherent interconnectedness of our experiences, and the ethical implications of tampering with the very fabric of the self. Your initial observations, even with limited exposure, capture the essence of this exploration, highlighting the show’s complex interplay of psychological, philosophical, and social themes. Gemini