-
Notifications
You must be signed in to change notification settings - Fork 172
virus antibody model #253
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
base: main
Are you sure you want to change the base?
virus antibody model #253
Changes from all commits
321a851
07b922f
e6492dc
f1b2f7f
de3c224
79a7b06
673828a
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,61 @@ | ||
# Virus-Antibody Model | ||
|
||
This model is a simulation of immune reaction declined as a confrontation between antibody agents and virus agents. The global idea is to model how the immune system can struggle against new virus but is able to adapt over time and beat a same virus if it comes back. The results are quite interesting as the simulation can go both ways (virus win or antibodies win) with a little tweak in the base parameters. | ||
|
||
|
||
**It showcases :** | ||
- **Usage of memory in agents** : divided into a short term memory using a deque to easily add and remove memories in case of a new virus encounter, and a long term memory (here a simple list) | ||
- **Agent knowledge sharing** : the antibodies are able to share short term memory) | ||
- **Usage of weak referencing** to avoid coding errors (antibodies can store viruses in a `self.target` attribute) | ||
- Emergence of completely **different outcomes** with only small changes in parameters | ||
|
||
|
||
For example, with a given set of fixed parameters : | ||
| Virus mutation rate = 0.15 (antibodies win) | Virus mutation rate = 0.2 (viruses win) | | ||
|--------------------------------------------------|--------------------------------------------------| | ||
|  |  | | ||
|
||
|
||
|
||
|
||
## How It Works | ||
|
||
1. **Initialization**: The model initializes a population of viruses and antibodies in a continuous 2D space. | ||
2. **Agent Behavior**: | ||
- Antibodies move randomly until they detect a virus within their sight range (becomes purple), than pursue the virus. | ||
- Antibodies pass on all the virus DNA in their short term memory to the nearest antibodies (cf. example) | ||
- Viruses move randomly and can duplicate or mutate. | ||
3. **Engagement (antibody vs virus)**: When an antibody encounters a virus: | ||
- If the antibody has the virus's DNA in its memory, it destroys the virus. | ||
- Otherwise, the virus may defeat the antibody, causing it to lose health or become inactive temporarily. | ||
4. **Duplication**: Antibodies and viruses can duplicate according to their duplication rate. | ||
|
||
|
||
> Example for memory transmission : Let's look at two antibodies A1 and A2 | ||
> `A1.st_memory() = [ABC]` and `A1.lt_memory() = [ABC]` | ||
> `A2.st_memory() = [DEF]` and `A2.lt() = [DEF]` | ||
> | ||
> After A1 encounters A2, | ||
> `A1.st_memory() = [DEF]` and `A1.lt() = [ABC, DEF]` | ||
> `A2.st_memory() = [ABC]` and `A1.lt() = [DEF, ABC]` | ||
> | ||
> A1 and A2 'switched' short term memory but both have the two viruses DNA in their long term memory | ||
|
||
For further details, here is the full architecture of this model : | ||
|
||
<div align="center"> | ||
<img src="images/virus_antibody_architecture.png" width="550"/> | ||
</div> | ||
|
||
## Usage | ||
|
||
After cloning the repo and installing mesa on pip, run the application with : | ||
```bash | ||
solara run app.py | ||
``` | ||
|
||
## A couple more of interesting cases | ||
|
||
| An interesting tendency inversion | high duplication + high mutation = both grow (more viruses) | high duplication + low mutation = both grow (more antibodies) | | ||
|---|---|---| | ||
| <img src="images/pattern.png" width="550"/> | <img src="images/grow_virus_wins.png" width="450"/> | <img src="images/grow_antibody_wins.png" width="450"/> | |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,218 @@ | ||
""" | ||
Mesa implementation of Virus/Antibody model: Agents module. | ||
""" | ||
|
||
import copy | ||
import os | ||
import sys | ||
import weakref | ||
from collections import deque | ||
|
||
import numpy as np | ||
|
||
sys.path.insert(0, os.path.abspath("../../../mesa")) | ||
from mesa.experimental.continuous_space import ContinuousSpaceAgent | ||
|
||
|
||
class CellularAgent(ContinuousSpaceAgent): | ||
def _random_move(self, speed=1): | ||
"""Random walk in a 2D space.""" | ||
perturb = np.array( | ||
[ | ||
self.random.uniform(-0.5, 0.5), | ||
self.random.uniform(-0.5, 0.5), | ||
] | ||
) | ||
self.direction = self.direction + perturb | ||
norm = np.linalg.norm(self.direction) | ||
if norm > 0: | ||
self.direction /= norm | ||
self.position += self.direction * speed | ||
|
||
|
||
class AntibodyAgent(CellularAgent): | ||
"""An Antibody agent. They move randomly until they see a virus, go fight it. | ||
If they lose, stay KO for a bit, lose health and back to random moving. | ||
""" | ||
|
||
speed = 1.5 | ||
sight_range = 10 | ||
ko_timeout = 15 | ||
memory_capacity = 3 | ||
health = 2 | ||
|
||
def __init__( | ||
self, | ||
model, | ||
space, | ||
duplication_rate, | ||
initial_position=(0, 0), | ||
direction=(1, 1), | ||
): | ||
super().__init__(model=model, space=space) | ||
|
||
# Movement & characteristics | ||
self.position = initial_position | ||
self.direction = np.array(direction, dtype=float) | ||
self.duplication_rate = duplication_rate | ||
|
||
# Memory | ||
self.st_memory: deque = deque(maxlen=self.memory_capacity) | ||
self.lt_memory: list = [] | ||
|
||
# Target & KO state | ||
self.target = None # will hold a weakref.ref or None | ||
self.ko_steps_left = 0 | ||
|
||
def step(self): | ||
nearby_agents, _ = self.space.get_agents_in_radius( | ||
self.position, self.sight_range | ||
) | ||
nearby_viruses = [a for a in nearby_agents if isinstance(a, VirusAgent)] | ||
nearby_antibodies = [ | ||
a | ||
for a in nearby_agents | ||
if isinstance(a, AntibodyAgent) and a.unique_id != self.unique_id | ||
] | ||
|
||
# Acquire a virus target if we don't already have one | ||
if self.target is None and nearby_viruses: | ||
closest = nearby_viruses[0] | ||
self.target = weakref.ref(closest) | ||
|
||
# Communicate and maybe duplicate | ||
self.communicate(nearby_antibodies) | ||
if self.random.random() < self.duplication_rate: | ||
self.duplicate() | ||
|
||
# Then move | ||
self.move() | ||
|
||
def communicate(self, nearby_antibodies) -> bool: | ||
for other in nearby_antibodies: | ||
to_share = [ | ||
dna for dna in self.st_memory if dna and dna not in other.lt_memory | ||
] | ||
if to_share: | ||
other.st_memory.extend(to_share) | ||
other.lt_memory.extend(to_share) | ||
return True | ||
|
||
def duplicate(self): | ||
clone = AntibodyAgent( | ||
self.model, | ||
self.space, | ||
duplication_rate=self.duplication_rate, | ||
initial_position=self.position, | ||
direction=self.direction, | ||
) | ||
# Copy over memory | ||
clone.st_memory = deque(maxlen=self.memory_capacity) | ||
clone.st_memory.extend([item for item in self.st_memory if item]) | ||
clone.lt_memory = [item for item in self.lt_memory if item] | ||
clone.target = None | ||
clone.ko_steps_left = 0 | ||
|
||
def move(self): | ||
# Dereference weakref if needed | ||
target = ( | ||
self.target() | ||
if isinstance(self.target, weakref.ReferenceType) | ||
else self.target | ||
) | ||
|
||
new_pos = None | ||
|
||
# KO state: target refers back to self | ||
if target is self: | ||
self.ko_steps_left -= 1 | ||
if self.ko_steps_left <= 0: | ||
self.target = None | ||
|
||
# Random walk if no target | ||
elif target is None: | ||
self._random_move() | ||
|
||
# Chase a valid virus target | ||
else: | ||
if getattr(target, "space", None) is not None: | ||
vec = np.array(target.position) - np.array(self.position) | ||
dist = np.linalg.norm(vec) | ||
if dist > self.speed: | ||
self.direction = vec / dist | ||
new_pos = self.position + self.direction * self.speed | ||
else: | ||
self.engage_virus(target) | ||
else: | ||
self.target = None | ||
|
||
if new_pos is not None: | ||
self.position = new_pos | ||
|
||
def engage_virus(self, virus) -> str: | ||
dna = copy.deepcopy(virus.dna) | ||
if dna in self.st_memory or dna in self.lt_memory: | ||
virus.remove() | ||
self.target = None | ||
|
||
else: | ||
# KO (or death) | ||
self.health -= 1 | ||
if self.health <= 0: | ||
self.remove() | ||
|
||
self.st_memory.append(dna) | ||
self.lt_memory.append(dna) | ||
self.ko_steps_left = self.ko_timeout | ||
# mark KO state by weak-ref back to self | ||
self.target = weakref.ref(self) | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I dont understand what is going on here. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. When an antibody looses a confrontation with a virus (because the virus DNA is not in it's memory yet), the antibody is ko for a few steps. It can't move during this time and I symbolise this by setting the agent's target to itself. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Ok, clear. This might be implemented using event scheduling, which would result in a modest speedup of runtime. |
||
return "ko" | ||
|
||
|
||
class VirusAgent(CellularAgent): | ||
"""A virus agent: random movement, mutation, duplication, passive to antibodies.""" | ||
|
||
speed = 1 | ||
|
||
def __init__( | ||
self, | ||
model, | ||
space, | ||
mutation_rate, | ||
duplication_rate, | ||
position=(0, 0), | ||
dna=None, | ||
): | ||
super().__init__(model=model, space=space) | ||
|
||
self.position = position | ||
self.mutation_rate = mutation_rate | ||
self.duplication_rate = duplication_rate | ||
self.direction = np.array((1, 1), dtype=float) | ||
self.dna = dna if dna is not None else self.generate_dna() | ||
|
||
def step(self): | ||
if self.random.random() < self.duplication_rate: | ||
self.duplicate() | ||
self._random_move() | ||
|
||
def duplicate(self): | ||
VirusAgent( | ||
self.model, | ||
self.space, | ||
mutation_rate=self.mutation_rate, | ||
duplication_rate=self.duplication_rate, | ||
position=self.position, | ||
dna=self.generate_dna(self.dna), | ||
) | ||
colinfrisch marked this conversation as resolved.
Show resolved
Hide resolved
|
||
|
||
def generate_dna(self, dna=None): | ||
if dna is None: | ||
return [self.random.randint(0, 9) for _ in range(3)] | ||
idx = self.random.randint(0, 2) | ||
chance = self.random.random() | ||
if chance < self.mutation_rate / 2: | ||
dna[idx] = (dna[idx] + 1) % 10 | ||
elif chance < self.mutation_rate: | ||
dna[idx] = (dna[idx] - 1) % 10 | ||
return dna |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
again, this should not be needed if everything else is implemented correctly.