In this note I want to start to explore one of my notions of compositionality of Lewis games with another game. In my thinking currently consider at least three senses for compositionality
Learning a MARL skill in a way that agents can repurpose it across new tasks and setting.
Learning a domain specific signaling system that serves the needs of a game framing a lewis signaling game. Serves here means:
marl \arg max(Returns \mid \text{given expected actions of other agents})
population dynamics \arg max(Progeny \mid \text{given expected actions of other agents})
Learning a structured complex signaling of systems with features more like NLP and less like a bijection.
Learn semantics by break down the state into some structure and express the full state using some aggregation of the parts.
e.g. do it using a structured signal, e.g. a template with slots for signals
X-1, X-2, X-3, X-4, X-5, X-6, X-7, X-8, X-9, X-10 for inflections of action-X
X-1, X-2, X-3, X-4, X-5, X-6, X-7, X-8, X-9, X-10 for inflections of noun-Y
Capability to generalize learned semantics to new states
map a state to a prefix category and a suffix disambiguation
the prefix can be a signal in partial equilibrium solution of the lewis signaling game.
the might be reuse of an existing signal or a new signal.
ability to use categories
ability to learn
using a hieracial model also seems to be an option.
The stating point:
One can represent a communication protocol as a decision tree.
So in the abstraction one way that a emergent communications might arise is using three modules:
Lewis signaling games to model different coordination tasks like
the alphabet and or basic signals
a lexicon built on the alphabet
a grammar to support composition of lexemes into sentences that can express complex states.
coordinating of decision rules
the sender get a decision trees that map states to a string in the alphabet this is called an encoder.
receiver get a decision tree that maps the string to a state space, this is called a decoder The encoder-decoder might just serialize the state or it might do arbitrary complex transformations that include a compression, error detection and correction and even analysis of the agents environment required to pick the best action. However at this point we want a minimal that is restricted to serialization and deserialization, compression using a prefix code and perhaps error detection and correction.
coordinating grammar rules. We may also need a grammar to support parsing of complex signals. In a simple case we might be processing mathematical expression and need to ensure that the formulas are well formed. In more complex scenarios we may need enforce selectional restrictions and subcategorization frames. In the MVP I imagine a simple rule that allows nested clauses.
one idea for using lewis games to coordinate the decision rules if it can enumerate all possible trees and let agents pick one. Other more complex scenarios are possible too.
a Shannon game to model the communication of information between agents in which they learn a shared communication protocol with using error detection and correction capabilities.
a Chomsky game to model development of a shared grammar for complex signals.
A trivial version is to use concatenation of signals to form new signals.
A more powerful version is to use an ordered vector of signals. Using a simple prefix code this allows creation of a powerful morphology.
Probably the minimalist option though is to use a rule that allows nested clauses. If the tree allows recursion we get what Humboldt called the infinite use of finite means.
Just having a recursive rule though might over-generate and we might require additional means to restrict the grammar by way of selectional restrictions1 and subcategorization frames 2.
1 restrict sematic roles
2 might restrict phrase elements to morphological categories in the lexicon with suitable features.
Shannon Game
Sharon games are about emergence of randomized communication protocols.
A randomized communication protocol is a probability distribution over the set of possible deterministic communication protocols.
We can model any deterministic communication protocol as a pair of decision rees, one for the sender and one for the receiver. The sender’s decision tree maps each possible message to a signal, and the receiver’s decision tree maps each possible signal to a message.
Messages that the sender can send.
The sender samples a message from this distribution and sends it to the receiver. The receiver then uses a decoding function to map the received message back to the original signal. The goal of the game is for the sender and receiver to coordinate on a communication protocol that maximizes their payoff, which is typically based on the accuracy of message transmission and reception.
It is a protocol that uses randomness to encode and decode messages.
This randomness can be used to introduce redundancy in the message, which can help in error detection and correction.
This example illustrates a basic game-theoretic approach where the sender and receiver iteratively learn better strategies for encoding and decoding messages over a noisy channel. The reinforcement learning framework allows both parties to adapt and improve their protocols, enhancing the reliability of communication over time. This model can be extended and refined to include more sophisticated encoding/decoding techniques and more complex noise models.
from mesa import Agent, Modelfrom mesa.time import RandomActivationfrom mesa.datacollection import DataCollectorimport numpy as npdef hamming_distance(a, b):return np.sum(a != b) /len(a)class Sender(Agent):def__init__(self, unique_id, model):super().__init__(unique_id, model)self.protocol =self.random_protocol()def random_protocol(self):# Define a random protocol for encoding (Identity function for now)returnlambda msg: msg def step(self):self.model.original_message = np.random.randint(0, 2, self.model.message_length) # Generate a binary message encoded_message =self.protocol(self.model.original_message)self.model.sent_message = encoded_messageclass Receiver(Agent):def__init__(self, unique_id, model):super().__init__(unique_id, model)self.protocol =self.random_protocol()def random_protocol(self):# Define a random protocol for decoding (Identity function for now)returnlambda msg: msg def step(self):ifself.model.sent_message isNone:return# **Avoid processing before sender has sent a message**# Convert to NumPy array to ensure bitwise operations work noisy_message = np.array(self.model.sent_message) ^ np.random.binomial(1, self.model.error_rate, self.model.message_length) recovered_message =self.protocol(noisy_message)self.model.recovered_message = recovered_messageself.evaluate_performance()def evaluate_performance(self): original_message =self.model.original_message recovered_message =self.model.recovered_message distance = hamming_distance(original_message, recovered_message)self.model.payoff +=self.model.recovery_payoff(distance)self.model.payoff +=self.model.length_payoff(len(recovered_message))self.model.payoff +=self.model.early_recovery_payoff(self.model.current_step)class NoisyChannelModel(Model):def__init__(self, message_length=10, error_rate=0.1, max_steps=100):self.message_length = message_lengthself.error_rate = error_rateself.current_step =0self.max_steps = max_stepsself.payoff =0self.running =True# Fix: Initialize running statusself.schedule = RandomActivation(self)self.original_message = np.random.randint(0, 2, self.message_length) # Initialize first messageself.sent_message =Noneself.recovered_message =None sender = Sender(1, self) receiver = Receiver(2, self)self.schedule.add(sender)self.schedule.add(receiver)self.datacollector = DataCollector( model_reporters={"Payoff": "payoff"} )def recovery_payoff(self, distance):return1- distancedef length_payoff(self, length):return1/ length if length >0else0# Avoid division by zerodef early_recovery_payoff(self, step):return (self.max_steps - step) /self.max_stepsdef step(self):self.current_step +=1self.schedule.step()self.datacollector.collect(self)ifself.current_step >=self.max_steps:self.running =False# Stop the simulation# Run the modelmodel = NoisyChannelModel()while model.running: model.step()# Retrieve resultsresults = model.datacollector.get_model_vars_dataframe()print(results)
/home/oren/work/blog/.venv/lib/python3.10/site-packages/mesa/agent.py:52: FutureWarning:
The Mesa Model class was not initialized. In the future, you need to explicitly initialize the Model by calling super().__init__() on initialization.
so this is a variant that uses a noisy channel model to simulate the transmission of messages between a sender and receiver. The agents have protocols for encoding and decoding messages, and the model tracks the performance of the communication system based on the accuracy of message recovery, message length, and early recovery. This example demonstrates how to model and analyze the performance of communication systems in the presence of noise and other challenges.
What we don’t have is a way to pick different protocols or to improve them over time.
I would break this down into a few steps: 1. identify the environmental factors that would encourage the agents to evolve diverse and efficient transmission protocols. a. noisy channels b. limited bandwidth c. limited computational resources d. time constraints e. risks of predation.
allow agents randomly generate candidate protocols and evaluate their performance.
def random_protocol():# Define a random protocol for encoding/decodingreturnlambda msg: np.random.randint(0, 2, len(msg))# which would be used as followsclass Sender(Agent):def__init__(self, unique_id, model):super().__init__(unique_id, model)self.protocol = random_protocol()def step(self): message = np.random.randint(0, 2, self.model.message_length) encoded_message =self.protocol(message)self.model.sent_message = encoded_message
This could be done by introducing reinforcement learning techniques to allow the agents to adapt and learn better encoding/decoding strategies based on feedback from the environment. This would enable the agents to optimize their protocols for improved communication performance in noisy channels.
Citation
BibTeX citation:
@online{bochman2024,
author = {Bochman, Oren},
title = {Shannon {Game}},
date = {2024-05-02},
url = {https://orenbochman.github.io/posts/2024/2024-05-02-Shanon-Game/},
langid = {en}
}