Skip to content

Class ParticipationModel

Bases: Model

The ParticipationModel class provides a base environment for multi-agent simulations within a grid-based world (split into territories) that reacts dynamically to frequently held collective decision-making processes ("elections"). It incorporates voting agents with personalities, color cells (grid fields), and areas (election territories). This model is designed to analyze different voting rules and their impact.

This class provides mechanisms for creating and managing cells, agents, and areas, along with data collection for analysis. Colors in the model mutate depending on a predefined mutation rate and are influenced by elections. Agents interact based on their personalities, knowledge, and experiences.

Attributes:

Name Type Description
grid SingleGrid

Grid representing the environment with a single occupancy per cell (the color).

grid.height int

The height of the grid.

grid.width int

The width of the grid.

colors ndarray

Array containing the unique color identifiers.

voting_rule Callable

A function defining the social welfare function to aggregate agent preferences. This callable typically takes agent score vectors as input and returns an ordering.

distance_func Callable

A function used to calculate a distance metric when comparing orderings. It takes two orderings and returns a numeric distance score.

mu float

Mutation rate; the probability of each color cell to mutate after an elections.

color_probs ndarray

Probabilities used to determine individual color mutation outcomes.

options ndarray

Matrix where each row is an option ordering (permutation) available to agents.

option_vec ndarray

Array holding the indices of the available options for computational efficiency.

color_cells list[ColorCell]

List of all color cells. Initialized during the model setup.

voting_agents list[VoteAgent]

List of all voting agents. Initialized during the model setup.

personality_groups list

List of personality (preference) groups available for agents.

personality_group_distribution ndarray

The (global) probability distribution of personality (preference) groups among all agents.

areas list[Area]

List of areas (regions or territories within the grid) in which elections take place. Initialized during model setup.

global_area Area

The area encompassing the entire grid.

av_area_height int

Average height of areas in the simulation.

av_area_width int

Average width of areas created in the simulation.

area_size_variance float

Variance in area sizes to introduce non-uniformity among election territories.

initial_agent_assets float

Initial assets assigned to each agent.

_av_area_color_dst ndarray

Current (area)-average color distribution.

global_color_dst ndarray

Current global color distribution across the grid.

election_cost_rate float

Cost/effort associated with participating in elections (relative to assets).

known_cells int

Number of cells each agent knows the color of.

datacollector DataCollector

A tool for collecting data (metrics and statistics) at each simulation step.

scheduler CustomScheduler

The scheduler responsible for executing the step function.

_preset_color_dst ndarray

A predefined global color distribution (set randomly) that affects cell initialization globally.

_no_overlap bool

A flag indicating areas don't overlap. Speeds up certain computations if True.

Source code in src/models/participation_model.py
  92
  93
  94
  95
  96
  97
  98
  99
 100
 101
 102
 103
 104
 105
 106
 107
 108
 109
 110
 111
 112
 113
 114
 115
 116
 117
 118
 119
 120
 121
 122
 123
 124
 125
 126
 127
 128
 129
 130
 131
 132
 133
 134
 135
 136
 137
 138
 139
 140
 141
 142
 143
 144
 145
 146
 147
 148
 149
 150
 151
 152
 153
 154
 155
 156
 157
 158
 159
 160
 161
 162
 163
 164
 165
 166
 167
 168
 169
 170
 171
 172
 173
 174
 175
 176
 177
 178
 179
 180
 181
 182
 183
 184
 185
 186
 187
 188
 189
 190
 191
 192
 193
 194
 195
 196
 197
 198
 199
 200
 201
 202
 203
 204
 205
 206
 207
 208
 209
 210
 211
 212
 213
 214
 215
 216
 217
 218
 219
 220
 221
 222
 223
 224
 225
 226
 227
 228
 229
 230
 231
 232
 233
 234
 235
 236
 237
 238
 239
 240
 241
 242
 243
 244
 245
 246
 247
 248
 249
 250
 251
 252
 253
 254
 255
 256
 257
 258
 259
 260
 261
 262
 263
 264
 265
 266
 267
 268
 269
 270
 271
 272
 273
 274
 275
 276
 277
 278
 279
 280
 281
 282
 283
 284
 285
 286
 287
 288
 289
 290
 291
 292
 293
 294
 295
 296
 297
 298
 299
 300
 301
 302
 303
 304
 305
 306
 307
 308
 309
 310
 311
 312
 313
 314
 315
 316
 317
 318
 319
 320
 321
 322
 323
 324
 325
 326
 327
 328
 329
 330
 331
 332
 333
 334
 335
 336
 337
 338
 339
 340
 341
 342
 343
 344
 345
 346
 347
 348
 349
 350
 351
 352
 353
 354
 355
 356
 357
 358
 359
 360
 361
 362
 363
 364
 365
 366
 367
 368
 369
 370
 371
 372
 373
 374
 375
 376
 377
 378
 379
 380
 381
 382
 383
 384
 385
 386
 387
 388
 389
 390
 391
 392
 393
 394
 395
 396
 397
 398
 399
 400
 401
 402
 403
 404
 405
 406
 407
 408
 409
 410
 411
 412
 413
 414
 415
 416
 417
 418
 419
 420
 421
 422
 423
 424
 425
 426
 427
 428
 429
 430
 431
 432
 433
 434
 435
 436
 437
 438
 439
 440
 441
 442
 443
 444
 445
 446
 447
 448
 449
 450
 451
 452
 453
 454
 455
 456
 457
 458
 459
 460
 461
 462
 463
 464
 465
 466
 467
 468
 469
 470
 471
 472
 473
 474
 475
 476
 477
 478
 479
 480
 481
 482
 483
 484
 485
 486
 487
 488
 489
 490
 491
 492
 493
 494
 495
 496
 497
 498
 499
 500
 501
 502
 503
 504
 505
 506
 507
 508
 509
 510
 511
 512
 513
 514
 515
 516
 517
 518
 519
 520
 521
 522
 523
 524
 525
 526
 527
 528
 529
 530
 531
 532
 533
 534
 535
 536
 537
 538
 539
 540
 541
 542
 543
 544
 545
 546
 547
 548
 549
 550
 551
 552
 553
 554
 555
 556
 557
 558
 559
 560
 561
 562
 563
 564
 565
 566
 567
 568
 569
 570
 571
 572
 573
 574
 575
 576
 577
 578
 579
 580
 581
 582
 583
 584
 585
 586
 587
 588
 589
 590
 591
 592
 593
 594
 595
 596
 597
 598
 599
 600
 601
 602
 603
 604
 605
 606
 607
 608
 609
 610
 611
 612
 613
 614
 615
 616
 617
 618
 619
 620
 621
 622
 623
 624
 625
 626
 627
 628
 629
 630
 631
 632
 633
 634
 635
 636
 637
 638
 639
 640
 641
 642
 643
 644
 645
 646
 647
 648
 649
 650
 651
 652
 653
 654
 655
 656
 657
 658
 659
 660
 661
 662
 663
 664
 665
 666
 667
 668
 669
 670
 671
 672
 673
 674
 675
 676
 677
 678
 679
 680
 681
 682
 683
 684
 685
 686
 687
 688
 689
 690
 691
 692
 693
 694
 695
 696
 697
 698
 699
 700
 701
 702
 703
 704
 705
 706
 707
 708
 709
 710
 711
 712
 713
 714
 715
 716
 717
 718
 719
 720
 721
 722
 723
 724
 725
 726
 727
 728
 729
 730
 731
 732
 733
 734
 735
 736
 737
 738
 739
 740
 741
 742
 743
 744
 745
 746
 747
 748
 749
 750
 751
 752
 753
 754
 755
 756
 757
 758
 759
 760
 761
 762
 763
 764
 765
 766
 767
 768
 769
 770
 771
 772
 773
 774
 775
 776
 777
 778
 779
 780
 781
 782
 783
 784
 785
 786
 787
 788
 789
 790
 791
 792
 793
 794
 795
 796
 797
 798
 799
 800
 801
 802
 803
 804
 805
 806
 807
 808
 809
 810
 811
 812
 813
 814
 815
 816
 817
 818
 819
 820
 821
 822
 823
 824
 825
 826
 827
 828
 829
 830
 831
 832
 833
 834
 835
 836
 837
 838
 839
 840
 841
 842
 843
 844
 845
 846
 847
 848
 849
 850
 851
 852
 853
 854
 855
 856
 857
 858
 859
 860
 861
 862
 863
 864
 865
 866
 867
 868
 869
 870
 871
 872
 873
 874
 875
 876
 877
 878
 879
 880
 881
 882
 883
 884
 885
 886
 887
 888
 889
 890
 891
 892
 893
 894
 895
 896
 897
 898
 899
 900
 901
 902
 903
 904
 905
 906
 907
 908
 909
 910
 911
 912
 913
 914
 915
 916
 917
 918
 919
 920
 921
 922
 923
 924
 925
 926
 927
 928
 929
 930
 931
 932
 933
 934
 935
 936
 937
 938
 939
 940
 941
 942
 943
 944
 945
 946
 947
 948
 949
 950
 951
 952
 953
 954
 955
 956
 957
 958
 959
 960
 961
 962
 963
 964
 965
 966
 967
 968
 969
 970
 971
 972
 973
 974
 975
 976
 977
 978
 979
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
class ParticipationModel(mesa.Model):
    """
    The ParticipationModel class provides a base environment for
    multi-agent simulations within a grid-based world (split into territories)
    that reacts dynamically to frequently held collective decision-making
    processes ("elections"). It incorporates voting agents with personalities,
    color cells (grid fields), and areas (election territories). This model is
    designed to analyze different voting rules and their impact.

    This class provides mechanisms for creating and managing cells, agents,
    and areas, along with data collection for analysis. Colors in the model
    mutate depending on a predefined mutation rate and are influenced by
    elections. Agents interact based on their personalities, knowledge, and
    experiences.

    Attributes:
        grid (mesa.space.SingleGrid): Grid representing the environment
            with a single occupancy per cell (the color).
        grid.height (int): The height of the grid.
        grid.width (int): The width of the grid.
        colors (ndarray): Array containing the unique color identifiers.
        voting_rule (Callable): A function defining the social welfare
            function to aggregate agent preferences. This callable typically
            takes agent score vectors as input and returns an ordering.
        distance_func (Callable): A function used to calculate a
            distance metric when comparing orderings. It takes two orderings
            and returns a numeric distance score.
        mu (float): Mutation rate; the probability of each color cell to mutate
            after an elections.
        color_probs (ndarray):
            Probabilities used to determine individual color mutation outcomes.
        options (ndarray): Matrix where each row is an option ordering
            (permutation) available to agents.
        option_vec (ndarray): Array holding the indices of the available options
            for computational efficiency.
        color_cells (list[ColorCell]): List of all color cells.
            Initialized during the model setup.
        voting_agents (list[VoteAgent]): List of all voting agents.
            Initialized during the model setup.
        personality_groups (list): List of personality (preference) groups available for agents.
        personality_group_distribution (ndarray): The (global) probability
            distribution of personality (preference) groups among all agents.
        areas (list[Area]): List of areas (regions or territories within the
            grid) in which elections take place. Initialized during model setup.
        global_area (Area): The area encompassing the entire grid.
        av_area_height (int): Average height of areas in the simulation.
        av_area_width (int): Average width of areas created in the simulation.
        area_size_variance (float): Variance in area sizes to introduce
            non-uniformity among election territories.
        initial_agent_assets (float): Initial assets assigned to each agent.
        _av_area_color_dst (ndarray): Current (area)-average color distribution.
        global_color_dst (ndarray): Current global color distribution across the grid.
        election_cost_rate (float): Cost/effort associated with participating in elections (relative to assets).
        known_cells (int): Number of cells each agent knows the color of.
        datacollector (mesa.DataCollector): A tool for collecting data
            (metrics and statistics) at each simulation step.
        scheduler (CustomScheduler): The scheduler responsible for executing the
            step function.
        _preset_color_dst (ndarray): A predefined global color distribution
            (set randomly) that affects cell initialization globally.
        _no_overlap (bool): A flag indicating areas don't overlap. Speeds up certain computations if True.
    """

    # -----------------
    # Validation / setup helpers
    # -----------------
    @staticmethod
    def _validate_color_and_personality_space(
        *,
        num_colors,
        num_personality_groups,
    ) -> tuple[int, int]:
        """Validate color-domain size and personality-group cardinality contracts."""
        if not isinstance(num_colors, int):
            raise ValueError(f"num_colors must be int, got {type(num_colors)}")
        if num_colors < 2:
            raise ValueError("num_colors must be >= 2.")

        n_groups = ensure_int_ge_0("num_personality_groups", num_personality_groups)
        if n_groups < 1:
            raise ValueError("num_personality_groups must be >= 1.")

        max_personality_groups = factorial(int(num_colors))
        if n_groups > max_personality_groups:
            raise ValueError(
                f"num_personality_groups={n_groups} exceeds "
                f"max unique permutations {max_personality_groups} for num_colors={num_colors}."
            )

        # Options are all permutations of colors; this grows as num_colors!.
        # Keep a conservative cap to avoid accidentally creating enormous option spaces.
        max_options = factorial(int(num_colors))
        if max_options > 50_000:
            raise ValueError(
                f"num_colors={num_colors} implies {max_options} options (num_colors!), "
                "which is too large for this simulation configuration. "
                "Reduce num_colors (e.g. <= 8) or implement an alternative option representation."
            )
        return int(num_colors), int(n_groups)

    @staticmethod
    def _validate_population_topology_inputs(
        *,
        num_agents,
        num_areas,
        height,
        width,
        av_area_height,
        av_area_width,
        area_size_variance,
    ) -> tuple[int, int, int, int, float]:
        """Validate agent/area counts and geometry-related scalar inputs."""
        n_agents = ensure_int_ge_0("num_agents", num_agents)
        if n_agents < 1:
            raise ValueError("num_agents must be >= 1.")

        n_areas = ensure_int_ge_0("num_areas", num_areas)
        if n_areas < 1:
            raise ValueError("num_areas must be >= 1.")
        if n_areas > int(height) * int(width):
            raise ValueError(
                f"num_areas={n_areas} exceeds available grid anchor slots "
                f"({int(height) * int(width)} for {width}x{height})."
            )

        av_h = ensure_int_ge_0("av_area_height", av_area_height)
        av_w = ensure_int_ge_0("av_area_width", av_area_width)
        if av_h == 0 or av_w == 0:
            raise ValueError("av_area_height and av_area_width must be >= 1.")
        if av_h > int(height):
            raise ValueError(f"av_area_height={av_h} exceeds grid height={height}.")
        if av_w > int(width):
            raise ValueError(f"av_area_width={av_w} exceeds grid width={width}.")

        area_var = ensure_finite_ge_0("area_size_variance", area_size_variance)
        if area_var > 1.0:
            raise ValueError("area_size_variance must be in [0,1].")
        return int(n_agents), int(n_areas), int(av_h), int(av_w), float(area_var)

    def _configure_participation_learning(
        self,
        *,
        participation_alpha,
        participation_beta,
        participation_init_q,
        participation_q_max,
        participation_baseline_alpha,
        participation_signal_mode,
        participation_signal_fee_weight,
        participation_signal_group_shrink_k,
        participation_signal_clip,
    ) -> None:
        """Validate and assign participation-learning knobs."""
        self.participation_alpha = is_learning_rate(participation_alpha)

        self.participation_beta = float(participation_beta)
        if not np.isfinite(self.participation_beta) or self.participation_beta < 0.0:
            raise ValueError("participation_beta must be finite and >= 0.")

        self.participation_init_q = float(participation_init_q)
        if not np.isfinite(self.participation_init_q):
            raise ValueError("participation_init_q must be finite.")

        self.participation_q_max = float(participation_q_max)
        if not np.isfinite(self.participation_q_max) or self.participation_q_max < 0.0:
            raise ValueError("participation_q_max must be finite and >= 0.")

        self.participation_baseline_alpha = ensure_rate_0_1(
            "participation_baseline_alpha", participation_baseline_alpha
        )
        self.participation_signal_mode = ensure_choice(
            "participation_signal_mode",
            participation_signal_mode,
            (
                "raw_delta_rel",
                "group_centered_delta_rel_plus_fee",
                "group_relative_delta_rel_party",
            ),
        )
        self.participation_signal_fee_weight = ensure_finite_ge_0(
            "participation_signal_fee_weight", participation_signal_fee_weight
        )
        self.participation_signal_group_shrink_k = ensure_finite_ge_0(
            "participation_signal_group_shrink_k", participation_signal_group_shrink_k
        )
        self.participation_signal_clip = ensure_finite_gt_0(
            "participation_signal_clip", participation_signal_clip
        )

    def _configure_altruism_learning_and_satisfaction(
        self,
        *,
        altruism_alpha,
        altruism_init,
        altruism_clip_min,
        altruism_clip_max,
        altruism_mode,
        altruism_response_gamma,
        altruism_satisfaction_theta,
        altruism_satisfaction_slope,
        altruism_learning,
        altruism_static,
        satisfaction_mode,
        satisfaction_baseline_alpha,
    ) -> None:
        """Validate and assign altruism-learning and satisfaction knobs."""
        self.altruism_alpha = is_learning_rate(altruism_alpha)

        self.altruism_init = float(altruism_init)
        if not np.isfinite(self.altruism_init) or not (0.0 <= self.altruism_init <= 1.0):
            raise ValueError("altruism_init must be finite and in [0,1].")

        self.altruism_clip_min = float(altruism_clip_min)
        self.altruism_clip_max = float(altruism_clip_max)
        if (
            (not np.isfinite(self.altruism_clip_min))
            or (not np.isfinite(self.altruism_clip_max))
            or (self.altruism_clip_min > self.altruism_clip_max)
        ):
            raise ValueError("altruism_clip_min/max must be finite and satisfy clip_min <= clip_max.")

        mode_raw = altruism_mode
        if isinstance(mode_raw, (int, np.integer, float, np.floating)) and np.isfinite(float(mode_raw)):
            mode_raw = {0: "static", 1: "surprise_learning", 2: "satisfaction"}.get(int(mode_raw), mode_raw)
        if mode_raw is None:
            mode_raw = "surprise_learning" if bool(altruism_learning) else "static"
        self.altruism_mode = ensure_choice(
            "altruism_mode",
            str(mode_raw),
            {"static", "surprise_learning", "satisfaction"},
        )
        self.altruism_response_gamma = ensure_rate_0_1("altruism_response_gamma", altruism_response_gamma)
        self.altruism_satisfaction_theta = ensure_rate_0_1(
            "altruism_satisfaction_theta", altruism_satisfaction_theta
        )
        self.altruism_satisfaction_slope = ensure_finite_gt_0(
            "altruism_satisfaction_slope", altruism_satisfaction_slope
        )
        # Legacy compatibility field; use `altruism_mode` for semantics.
        self.altruism_learning = bool(self.altruism_mode == "surprise_learning")
        self.altruism_static = ensure_rate_0_1("altruism_static", altruism_static)

        self.satisfaction_mode = ensure_choice(
            "satisfaction_mode",
            str(satisfaction_mode),
            {"global", "area", "knowledge", "combination"},
        )
        self.satisfaction_baseline_alpha = ensure_rate_0_1(
            "satisfaction_baseline_alpha", satisfaction_baseline_alpha
        )

    def _configure_rules_rewards_and_distance(
        self,
        *,
        rule_idx,
        distance_idx,
        election_cost_rate,
        reward_rate_personal,
        break_even_distance_common,
        quality_target_mode,
        puzzle_local_kappa,
        puzzle_shock_prob,
        num_colors: int,
    ) -> None:
        """Validate and assign voting-rule, distance, and reward knobs."""
        vr, vr_names, vr_name, vr_i_names, vr_i_name = self._get_voting_rule_conf(rule_idx)
        self.rule_idx = rule_idx
        self.voting_rule = vr
        self.voting_rule_names = vr_names
        self.voting_rule_name = vr_name
        # Implementation names are stored alongside display names so runs can be
        # reproduced even if UI labels change.
        self.voting_rule_implementation_names = vr_i_names
        self.voting_rule_implementation_name = vr_i_name

        self.election_cost_rate = is_rate_btw_0_and_1(election_cost_rate)
        self.reward_rate_personal = is_rate_btw_0_and_1(reward_rate_personal)
        self.break_even_distance_common = is_rate_btw_0_and_1(break_even_distance_common)
        mode_raw = self._normalize_quality_target_mode(quality_target_mode)
        self.quality_target_mode = ensure_choice(
            "quality_target_mode",
            mode_raw,
            {"reality", "puzzle"},
        )
        self.puzzle_local_kappa = ensure_finite_gt_0("puzzle_local_kappa", puzzle_local_kappa)
        self.puzzle_shock_prob = ensure_rate_0_1("puzzle_shock_prob", puzzle_shock_prob)

        self.distance_idx = distance_idx
        dist, d_names, d_name, d_i_names, d_i_name = self._get_dist_conf(distance_idx)
        self.distance_func = dist
        self.distance_func_names = d_names
        self.distance_func_name = d_name
        self.distance_func_implementation_names = d_i_names
        self.distance_func_implementation_name = d_i_name
        self.options = self.create_all_options(num_colors)
        self.option_id_by_ordering = self._build_option_id_lookup(self.options)
        self.altruistic_oppose_scores_by_option_id: dict[int, np.ndarray] = {}
        self.altruistic_score_cache_hits = 0
        self.altruistic_score_cache_misses = 0

    @staticmethod
    def _normalize_quality_target_mode(value) -> str:
        if isinstance(value, (int, np.integer)):
            return "puzzle" if int(value) == 1 else "reality"
        if isinstance(value, (float, np.floating)) and float(value).is_integer():
            return "puzzle" if int(value) == 1 else "reality"
        return str(value)

    def _configure_environment_scalars(
        self,
        *,
        heterogeneity,
        mu,
        initial_agent_assets,
        election_impact_on_mutation,
        color_patches_steps,
        patch_power,
    ) -> None:
        """Validate and assign environment/economy scalar knobs."""
        self.heterogeneity = float(heterogeneity)
        if not np.isfinite(self.heterogeneity) or self.heterogeneity < 0.0:
            raise ValueError("heterogeneity must be finite and >= 0.")
        self._preset_color_dst = self.create_color_distribution(self.heterogeneity)
        self._av_area_color_dst = self._preset_color_dst.copy()
        self.global_color_dst = self._preset_color_dst.copy()

        self.mu = ensure_rate_0_1("mu", mu)
        self.initial_agent_assets = ensure_finite_ge_0("initial_agent_assets", initial_agent_assets)

        self.election_impact_on_mutation = float(election_impact_on_mutation)
        if not np.isfinite(self.election_impact_on_mutation) or self.election_impact_on_mutation < 0.0:
            raise ValueError("election_impact_on_mutation must be finite and >= 0.")
        self.color_probs = self.init_color_probs(self.election_impact_on_mutation)

        self.color_patches_steps = ensure_int_ge_0("color_patches_steps", color_patches_steps)
        self.patch_power = ensure_finite_ge_0("patch_power", patch_power)

    # -----------------
    # Initialization
    # -----------------
    def __init__(
        self,
        height,
        width,
        num_agents,
        num_colors,
        num_personality_groups,
        mu,
        election_impact_on_mutation,
        known_cells,
        num_areas,
        av_area_height,
        av_area_width,
        area_size_variance,
        patch_power,
        color_patches_steps,
        heterogeneity,
        rule_idx,
        distance_idx,
        election_cost_rate,
        reward_rate_personal: float = 0.0,
        break_even_distance_common: float = 0.5,
        quality_target_mode: str = "puzzle",
        puzzle_local_kappa: float = 30.0,
        puzzle_shock_prob: float = 0.05,
        seed=None,
        max_steps: Optional[int] = None,
        participation_alpha: float = 0.05,
        participation_beta: float = 1.0,
        participation_init_q: float = 0.0,
        participation_q_max: float = 2.0,
        participation_baseline_alpha: float = 0.1,
        participation_signal_mode: str = "raw_delta_rel",
        participation_signal_fee_weight: float = 1.0,
        participation_signal_group_shrink_k: float = 10.0,
        participation_signal_clip: float = 0.25,
        altruism_alpha: float = 0.05,
        altruism_init: float = 0.5,
        altruism_clip_min: float = 0.0,
        altruism_clip_max: float = 1.0,
        altruism_mode: Optional[str] = None,
        altruism_response_gamma: float = 1.0,
        altruism_satisfaction_theta: float = 0.5,
        altruism_satisfaction_slope: float = 4.0,
        altruism_learning: bool = False,
        altruism_static: float = 0.5,
        satisfaction_mode: str = "area",  # "global", "area", "knowledge", or "combination"
        satisfaction_baseline_alpha: float = 0.1,
        personal_preference_peakedness: float = 1.0,
        initial_agent_assets: float = 100.0,
        enable_datacollector: bool = True,
    ):
        super().__init__()
        self._seed = seed
        self._av_area_color_dst = np.asarray([], dtype=np.float64)
        self.global_color_dst = np.asarray([], dtype=np.float64)
        self.step_metrics_snapshot: dict[str, object] = {}
        # Optional output logging sinks (set by RunLogger in headless runs).
        self._output_vote_sink = None
        self._output_area_snapshot_sink = None
        # Core sizing validation (avoids factorial explosions)
        num_colors, num_personality_groups = self._validate_color_and_personality_space(
            num_colors=num_colors,
            num_personality_groups=num_personality_groups,
        )
        num_agents, num_areas, av_h, av_w, area_var = self._validate_population_topology_inputs(
            num_agents=num_agents,
            num_areas=num_areas,
            height=height,
            width=width,
            av_area_height=av_area_height,
            av_area_width=av_area_width,
            area_size_variance=area_size_variance,
        )
        self.av_area_height = av_h
        self.av_area_width = av_w
        self.area_size_variance = area_var
        self.known_cells = ensure_int_ge_0("known_cells", known_cells)

        # Adaptive learning knobs
        self._configure_participation_learning(
            participation_alpha=participation_alpha,
            participation_beta=participation_beta,
            participation_init_q=participation_init_q,
            participation_q_max=participation_q_max,
            participation_baseline_alpha=participation_baseline_alpha,
            participation_signal_mode=participation_signal_mode,
            participation_signal_fee_weight=participation_signal_fee_weight,
            participation_signal_group_shrink_k=participation_signal_group_shrink_k,
            participation_signal_clip=participation_signal_clip,
        )
        self._configure_altruism_learning_and_satisfaction(
            altruism_alpha=altruism_alpha,
            altruism_init=altruism_init,
            altruism_clip_min=altruism_clip_min,
            altruism_clip_max=altruism_clip_max,
            altruism_mode=altruism_mode,
            altruism_response_gamma=altruism_response_gamma,
            altruism_satisfaction_theta=altruism_satisfaction_theta,
            altruism_satisfaction_slope=altruism_satisfaction_slope,
            altruism_learning=altruism_learning,
            altruism_static=altruism_static,
            satisfaction_mode=satisfaction_mode,
            satisfaction_baseline_alpha=satisfaction_baseline_alpha,
        )
        ppp = ensure_finite_gt_0("pp-peak", personal_preference_peakedness)
        self.personal_preference_peakedness = ppp
        # Initialize RNGs early (centralized)
        set_seed(seed)
        self.np_random = np_rng()
        self.participation_rng = np_rng_participation()
        self.voting_rng = np_rng_voting()
        self.rng_puzzle = np_rng_puzzle()
        self.random = py_rng()
        # Dedicated streams for visualization/debug to avoid perturbing simulation RNG.
        self.rng_viz = np_rng_viz()
        self.rng_debug = np_rng_debug()
        self.random_viz = py_rng_viz()
        self.random_debug = py_rng_debug()
        # Step control
        self.max_steps: Optional[int] = max_steps
        self.running: bool = True
        self.colors = np.arange(num_colors)
        # Cached area-coverage info for fast/exact global distribution updates when areas are disjoint.
        # Initialized to safe defaults because update_global_color_distribution() is called before areas exist.
        self._areas_are_disjoint: bool = False
        self._uncovered_color_counts: np.ndarray = np.zeros(num_colors, dtype=np.int64)
        # Create a scheduler that goes through areas first then color cells
        self.scheduler = CustomScheduler(self)
        # The grid
        # SingleGrid enforces at most one agent per cell;
        # MultiGrid allows multiple agents to be in the same cell.
        self.grid = mesa.space.SingleGrid(height=height, width=width, torus=True)
        # Random bias factors that affect the initial color distribution
        self._vertical_bias = self.random.uniform(0, 1)
        self._horizontal_bias = self.random.uniform(0, 1)
        self._configure_environment_scalars(
            heterogeneity=heterogeneity,
            mu=mu,
            initial_agent_assets=initial_agent_assets,
            election_impact_on_mutation=election_impact_on_mutation,
            color_patches_steps=color_patches_steps,
            patch_power=patch_power,
        )
        self._configure_rules_rewards_and_distance(
            rule_idx=rule_idx,
            distance_idx=distance_idx,
            election_cost_rate=election_cost_rate,
            reward_rate_personal=reward_rate_personal,
            break_even_distance_common=break_even_distance_common,
            quality_target_mode=quality_target_mode,
            puzzle_local_kappa=puzzle_local_kappa,
            puzzle_shock_prob=puzzle_shock_prob,
            num_colors=num_colors,
        )
        # Create search pairs once for faster iterations when comparing orderings
        # (Removed unused self.search_pairs to avoid O(options^2) memory growth.)
        self.option_vec = np.arange(self.options.shape[0])  # Also to speed up
        self.color_search_pairs = list(combinations(range(0, num_colors), 2))
        # Create color cells (IDs start after areas+agents)
        self.color_cells: List[Optional[ColorCell]] = [None] * (height * width)
        self._initialize_color_cells(id_start=num_agents + num_areas)
        # Create voting agents (IDs start after areas)
        self.voting_agents: List[Optional[VoteAgent]] = [None] * num_agents
        self.personality_groups = self.create_personality_groups(num_personality_groups)
        pg_dst = ParticipationModel.pers_dist(num_personality_groups, rng=self.np_random)
        self.initialize_voting_agents(intended_dst=pg_dst, id_start=num_areas)
        self._assert_dense_agent_and_cell_state()
        self.personality_group_distribution = self._initialize_personality_group_distribution()  # Static
        # Area variables
        self.global_area = self.initialize_global_area()
        self.areas: List[Optional[Area]] = [None] * num_areas
        self._no_overlap = False  # True if areas are instantiated without overlap (speeds up things)
        # Adjust the color pattern to make it less random (see color patches)
        self.adjust_color_pattern(self.color_patches_steps, self.patch_power)
        # Ensure global_color_dst matches the realized grid (not just the preset distribution).
        # This makes step-0 / initialization logs consistent with the actual grid state.
        self.update_global_color_distribution()
        # Create areas
        self.initialize_all_areas()
        # Analyze area coverage once so global distributions can be updated fast + correctly
        # for disjoint area layouts (including layouts with gaps).
        self._analyze_area_coverage()
        self._assert_dense_area_state()
        # Data collector
        self.step_metrics_snapshot = self._compute_step_metrics_snapshot()
        self.datacollector: Optional[mesa.DataCollector] = None
        if bool(enable_datacollector):
            self.datacollector = self.initialize_datacollector()
            self.datacollector.collect(self)

    def _analyze_area_coverage(self) -> None:
        """Compute and cache area coverage/overlap information.

        This is used to safely accelerate global color distribution updates when areas
        are disjoint. If areas overlap, we fall back to grid counting (exact, but slower).
        """
        n_cells = len(self.color_cells)
        membership = np.zeros(n_cells, dtype=np.int16)
        for area in self.areas:
            if area.unique_id == -1:
                continue
            for cell in area.cells:
                idx = self._cell_index_by_pos.get((cell.col, cell.row))
                if idx is not None:
                    membership[idx] += 1
        self._covered_cell_count = int(np.count_nonzero(membership))
        self._areas_are_disjoint = bool(np.max(membership) <= 1)
        # no_overlap means "areas do not overlap" (disjointness only).
        # Full-coverage/partition is tracked separately where needed.
        self._no_overlap = bool(self._areas_are_disjoint)
        # Cache uncovered color counts (uncovered cells are never mutated anywhere).
        uncovered_counts = np.zeros(self.num_colors, dtype=np.int64)
        if self._covered_cell_count < n_cells:
            for i, cell in enumerate(self.color_cells):
                if membership[i] == 0:
                    # If needed in the future, we could save uncovered cells here.
                    uncovered_counts[int(cell.color)] += 1
        self._uncovered_color_counts = uncovered_counts

    def _assert_dense_agent_and_cell_state(self) -> None:
        """Fail loudly if dense model collections unexpectedly contain None."""
        if any(c is None for c in self.color_cells):
            raise RuntimeError("Model invariant violated: color_cells contains None entries.")
        if any(a is None for a in self.voting_agents):
            raise RuntimeError("Model invariant violated: voting_agents contains None entries.")

    def _assert_dense_area_state(self) -> None:
        """Fail loudly if area collection contains None entries after initialization."""
        if any(a is None for a in self.areas):
            raise RuntimeError("Model invariant violated: areas contains None entries.")

    @property
    def height(self) -> int:
        return self.grid.height

    @property
    def width(self) -> int:
        return self.grid.width

    @property
    def num_colors(self) -> int:
        return len(self.colors)

    @property
    def num_agents(self) -> int:
        return len(self.voting_agents)

    @property
    def num_areas(self) -> int:
        return len(self.areas)

    @property
    def num_personality_groups(self) -> int:
        return len(self.personality_groups)

    @property
    def preset_color_dst(self) -> np.ndarray:
        return self._preset_color_dst

    @property
    def av_area_color_dst(self) -> np.ndarray:
        return self._av_area_color_dst

    @property
    def no_overlap(self) -> bool:
        return self._no_overlap

    @property
    def is_puzzle_mode(self) -> bool:
        return self.quality_target_mode == "puzzle"

    @staticmethod
    def _build_option_id_lookup(options: np.ndarray) -> dict[tuple[int, ...], int]:
        arr = np.asarray(options, dtype=np.int64)
        if arr.ndim != 2:
            raise ValueError("options must be a 2D array")
        return {tuple(int(x) for x in row.tolist()): int(i) for i, row in enumerate(arr)}

    def option_id_for_ordering(self, ordering) -> int:
        """Return option id for an ordering, or -1 if invalid/not found."""
        try:
            arr = np.asarray(ordering, dtype=np.int64).reshape(-1)
        except (TypeError, ValueError):
            return -1
        return int(self.option_id_by_ordering.get(tuple(int(x) for x in arr.tolist()), -1))

    def get_altruistic_oppose_scores_for_ordering(self, ordering) -> np.ndarray:
        """Return cached option oppose-scores for a target ordering.

        Raises loudly if the ordering is invalid or not part of the current option set.
        """
        option_id = int(self.option_id_for_ordering(ordering))
        if option_id < 0:
            raise ValueError("ordering is invalid or not present in model.options")
        cached = self.altruistic_oppose_scores_by_option_id.get(option_id)
        if cached is not None:
            self.altruistic_score_cache_hits += 1
            return cached

        scores = np.asarray(
            score_options_c2(
                target_ordering=np.asarray(ordering, dtype=np.int64),
                options=np.asarray(self.options),
                distance_func=self.distance_func,
                color_search_pairs=self.color_search_pairs,
            ),
            dtype=np.float32,
        )
        scores.setflags(write=False)
        self.altruistic_oppose_scores_by_option_id[option_id] = scores
        self.altruistic_score_cache_misses += 1
        return scores

    def register_output_sinks(self, *, vote_sink, area_snapshot_sink) -> None:
        """Register output sink callbacks used by logging."""
        self._output_vote_sink = vote_sink
        self._output_area_snapshot_sink = area_snapshot_sink

    def clear_output_sinks(self) -> None:
        """Clear output sink callbacks used by logging."""
        self._output_vote_sink = None
        self._output_area_snapshot_sink = None

    def _initialize_color_cells(self, id_start=0) -> None:
        """
        Initialize one ColorCell per grid cell.
        Args:
            id_start (int): The starting ID to ensure unique IDs.
        """
        # Map from (col,row) to index in self.color_cells for fast coverage checks.
        self._cell_index_by_pos: dict[tuple[int, int], int] = {}
        # Create a color cell for each cell in the grid
        for idx, (_, (col, row)) in enumerate(self.grid.coord_iter()):
            # Assign unique ID after areas and agents
            unique_id = id_start + idx
            # The colors are chosen by a predefined color distribution
            color = self.color_by_dst_rng(self._preset_color_dst)
            # Create the cell (skip ids for area and voting agents)
            cell = ColorCell(unique_id, self, (col, row), color)
            # Add to the 'model.color_cells' list (for faster access)
            self.color_cells[idx] = cell
            self._cell_index_by_pos[(col, row)] = idx

    def initialize_voting_agents(self, intended_dst, id_start = 0) -> None:
        """
        This method initializes as many voting agents as set in the model with
        a randomly chosen personality_group. It places them randomly on the grid.
        It also ensures that each agent is assigned to the color cell it is
        standing on.
        Args:
            id_start (int): The starting ID for agents to ensure unique IDs.
            intended_dst (np.ndarray): The intended distribution of personality (preference) groups.
        """
        # Testing parameter validity
        if self.num_agents < 1:
            raise ValueError("The number of agents must be at least 1.")
        assets = self.initial_agent_assets
        nr = len(self.personality_groups)
        for idx in range(self.num_agents):
            # Assign unique ID after areas
            unique_id = id_start + idx
            # Get a random position
            x = self.random.randrange(self.width)
            y = self.random.randrange(self.height)
            # Choose a personality_group based on the distribution
            personality_group_idx = self.np_random.choice(nr, p=intended_dst)
            personality_group = self.personality_groups[personality_group_idx]
            # Create agent without appending (add to the pre-defined list)
            agent = VoteAgent(unique_id, self, (x, y), personality_group,
                              personality_group_idx, assets=assets, add=False)
            self.voting_agents[idx] = agent  # Add using the index (faster)
            # Add the agent to the grid by placing it on a ColorCell
            cell = self.grid.get_cell_list_contents([(x, y)])[0]
            if TYPE_CHECKING:
                cell = cast(ColorCell, cell)
            cell.add_agent(agent)

    def _initialize_personality_group_distribution(self) -> np.ndarray:
        counts = np.bincount(
            [a.personality_group_idx for a in self.voting_agents],
            minlength=len(self.personality_groups))
        return counts / counts.sum()

    def init_color_probs(self, election_impact) -> np.ndarray:
        """
        This method initializes a probability array for the mutation of colors.
        The probabilities reflect the election outcome with some impact factor.

        Args:
            election_impact (float): The impact the election has on the mutation.
        """
        p = (np.arange(self.num_colors, 0, -1)) ** election_impact
        # Normalize
        p = p / sum(p)
        return p

    def initialize_area(self, a_id: int, x_coord, y_coord) -> None:
        """
        This method initializes one area in the models' grid.
        """
        area = Area(a_id, self, self.av_area_height, self.av_area_width,
                    self.area_size_variance)
        # Place the area in the grid using its indexing field
        # this adds the corresponding color cells and voting agents to the area
        area.idx_field = (x_coord, y_coord)
        # Save in the models' areas-list
        self.areas[a_id] = area

    def initialize_all_areas(self) -> None:
        """
        Initializes all areas on the grid in the model.

        This method divides the grid into approximately evenly distributed areas,
        ensuring that the areas are spaced as uniformly as possible based
        on the grid dimensions and the average area size specified by
        `av_area_width` and `av_area_height`.

        The grid may contain more or fewer areas than an exact square
        grid arrangement due to `num_areas` not always being a perfect square.
        If the number of areas is not a perfect square, the remaining areas
        are placed randomly on the grid to ensure that `num_areas`
        areas are initialized.

        Initializes `num_areas` and places them directly on the grid.

        Example:
            - Given `num_areas = 4` and `grid.width = grid.height = 10`,
              this method might initialize areas with approximate distances
              to maximize uniform distribution (like a 2x2 grid).
            - For `num_areas = 5`, four areas will be initialized evenly, and
              the fifth will be placed randomly due to the uneven distribution.
        """
        if self.num_areas == 0:
            return
        # Calculate the number of areas in each direction
        nr_areas_x = self.grid.width // self.av_area_width
        nr_areas_y = self.grid.height // self.av_area_height
        self._no_overlap = (
            self.area_size_variance == 0
            and self.av_area_width > 0
            and self.av_area_height > 0
            and self.width % self.av_area_width == 0
            and self.height % self.av_area_height == 0
            and self.num_areas == nr_areas_x * nr_areas_y
        )
        # Calculate the distance between the areas
        area_x_dist = self.grid.width // nr_areas_x
        area_y_dist = self.grid.height // nr_areas_y
        x_coords = range(0, self.grid.width, area_x_dist)
        y_coords = range(0, self.grid.height, area_y_dist)
        reserved = {(int(x), int(y)) for x in x_coords for y in y_coords}
        # Add additional areas if necessary (num_areas not a square number)
        additional_x, additional_y = [], []
        missing = self.num_areas - len(x_coords) * len(y_coords)
        for _ in range(missing):
            # Avoid placing the "additional" area exactly on the regular grid anchors;
            # otherwise tests/diagnostics can't distinguish them, and we may duplicate placements.
            for _attempt in range(1000):
                rx = int(self.random.randrange(self.grid.width))
                ry = int(self.random.randrange(self.grid.height))
                if (rx, ry) not in reserved:
                    reserved.add((rx, ry))
                    additional_x.append(rx)
                    additional_y.append(ry)
                    break
            else:
                raise RuntimeError("Failed to place all areas. Grid may be too small or num_areas too large.")
                # Fallback: accept any random coordinate (extremely unlikely).
                #additional_x.append(int(self.random.randrange(self.grid.width)))
                #additional_y.append(int(self.random.randrange(self.grid.height)))
        if missing > 0:
            self._no_overlap = False
        # Create the area's ids
        a_ids = iter(range(self.num_areas))
        # Initialize all areas
        for x_coord in x_coords:
            for y_coord in y_coords:
                a_id = next(a_ids, -1)
                if a_id == -1:
                    break
                self.initialize_area(a_id, x_coord, y_coord)
        for x_coord, y_coord in zip(additional_x, additional_y):
            self.initialize_area(next(a_ids), x_coord, y_coord)


    def initialize_global_area(self) -> Area:
        """
        Initializes the global area spanning the whole grid.

        Returns:
            Area: The global area (with unique_id set to -1 and idx to (0, 0)).
        """
        global_area = Area(-1, self, self.height, self.width, 0)
        # Place the area in the grid using its indexing field
        # this adds the corresponding color cells and voting agents to the area
        global_area.idx_field = (0, 0)
        return global_area


    def create_personality_groups(self, n: int) -> np.ndarray:
        """
        Creates n unique personality_groups as permutations of color indices.

        Args:
            n (int): Number of unique personality_groups.

        Returns:
            np.ndarray: Shape `(n, num_colors)`.

        Raises:
            ValueError: If `n` exceeds the possible unique permutations.

        Example:
            for n=2 and self.num_colors=3, the function could return:

            [[1, 0, 2],
            [2, 1, 0]]
        """
        n_colors = self.num_colors
        max_permutations = factorial(n_colors)
        if n > max_permutations or n < 1:
            raise ValueError(f"Cannot generate {n} unique personality_groups: "
                             f"only {max_permutations} unique ones exist.")
        selected_permutations = set()
        while len(selected_permutations) < n:
            # Sample a permutation lazily and add it to the set
            perm = tuple(self.random.sample(range(n_colors), n_colors))
            selected_permutations.add(perm)

        return np.array(list(selected_permutations))


    def initialize_datacollector(self) -> mesa.DataCollector:
        # Live (run.py) visualization expects snake_case keys.
        color_data = {f"color_{i}": get_color_distribution_function(i) for i in range(self.num_colors)}

        return mesa.DataCollector(
            model_reporters={
                "collective_assets": compute_collective_assets,
                "gini_index": compute_gini_index,
                "gini_dissatisfaction": compute_gini_dissatisfaction,
                "turnout": get_voter_turnout,
                "quality_distance": compute_global_quality_distance,
                "group_turnout": compute_group_turnout,
                "group_mean_assets_share": compute_group_mean_assets_share,
                "group_mean_dissatisfaction": compute_group_mean_dissatisfaction,
                "group_outcome_distance": compute_group_outcome_distance,
                "mean_p_participation": lambda m: m.step_metrics_snapshot["mean_p_participation"],
                "mean_altruism": lambda m: m.step_metrics_snapshot["mean_altruism"],
                "mean_dissatisfaction": lambda m: m.step_metrics_snapshot["mean_dissatisfaction"],
                **color_data,
                "grid_colors": get_grid_colors,
            },
            agent_reporters={
                # These are collected for all Mesa agents, but only Area agents return values.
                "turnout": get_area_voter_turnout,
                "quality_distance": get_area_quality_distance,
                "dist_to_reality": get_area_dist_to_reality,
                "puzzle_distance": get_area_puzzle_distance,
                "area_color_distribution": get_area_color_distribution,
                "puzzle_color_distribution": get_area_puzzle_distribution,
                "elected_color": get_election_results,
                "gini_index": get_area_gini_index,
            },
        )

    def _compute_step_metrics_snapshot(self) -> dict[str, object]:
        """Build canonical per-step metrics for logging and visualization."""
        return build_step_metrics_snapshot(self)


    def step(self):
        """
        Advance the model by one step.
        """
        # Early exit if step limit reached
        if self.max_steps is not None and self.scheduler.steps >= self.max_steps:
            self.running = False
            return
        # Conduct elections in the areas
        # and then mutate the color cells according to election outcomes
        self.scheduler.step()
        # Canonical scalar snapshot at election-time state (post-election/reward, pre-mutation).
        self.step_metrics_snapshot = self._compute_step_metrics_snapshot()
        # Collect data for monitoring and data analysis (pre-mutation).
        if self.datacollector is not None:
            self.datacollector.collect(self)
        # Enforce step limit after step executed
        if self.max_steps is not None and self.scheduler.steps >= self.max_steps:
            # Model intentionally stops after the last election-time snapshot;
            # no final "apply pending mutation" step is executed.
            self.running = False

    def adjust_color_pattern(self, color_patches_steps: int, patch_power: float):
        """Adjusting the color pattern to make it less predictable.

        Args:
            color_patches_steps: How often to run the color-patches step.
            patch_power: The power of the patching (like a radius of impact).
        """
        cells = self.color_cells
        for _ in range(color_patches_steps):
            # print(f"Color adjustment step {_}")
            self.random.shuffle(cells)
            for cell in cells:
                most_common_color = self.color_patches(cell, patch_power)
                cell.color = most_common_color


    def create_color_distribution(self, heterogeneity: float) -> np.ndarray:
        """
        Create a normalized color distribution biased by the heterogeneity factor.

        Args:
            heterogeneity (float): Standard deviation for Gaussian sampling.
        """
        # Vectorized sampling: mean=1, std=heterogeneity, shape=(num_colors,)
        values = np.abs(
            self.np_random.normal(1.0, heterogeneity, self.num_colors))
        # Normalize
        values /= values.sum()
        return values

    def color_patches(self, cell: ColorCell, patch_power: float) -> int:
        """
        Meant to create a less random initial color distribution
        using a similar logic to the color patches model.
        It uses a (normalized) bias coordinate to center the impact of the
        color patches structures impact around.

        Args:
            cell (ColorCell): The cell possibly changing color.
            patch_power (float): Radius-like impact around bias point.

        Returns:
            int: Consensus color or the cell's own color if no consensus.
        """
        # Calculate the normalized position of the cell
        normalized_x = cell.row / self.height
        normalized_y = cell.col / self.width
        # Calculate the distance of the cell to the bias point
        bias_factor = (abs(normalized_x - self._horizontal_bias)
                       + abs(normalized_y - self._vertical_bias))
        # The closer the cell to the bias-point, the less often it is
        # to be replaced by a color chosen from the initial distribution:
        if abs(self.random.gauss(0, patch_power)) < bias_factor:
            return self.color_by_dst_rng(self._preset_color_dst)
        # Otherwise, apply the color patches logic
        neighbor_cells = self.grid.get_neighbors((cell.col, cell.row),
                                                 moore=True,
                                                 include_center=False)
        color_counts = {}  # Count neighbors' colors
        for neighbor in neighbor_cells:
            if isinstance(neighbor, ColorCell):
                color = neighbor.color
                color_counts[color] = color_counts.get(color, 0) + 1
        if color_counts:
            max_count = max(color_counts.values())
            most_common_colors = [color for color, count in color_counts.items()
                                  if count == max_count]
            return self.random.choice(most_common_colors)
        return cell.color  # Return the cell's own color if no consensus


    def update_av_area_color_dst(self) -> np.ndarray:
        """
        This method updates the av_area_color_dst attribute of the model.
        Beware: Overlaps and size difference of areas is not currently accounted for,
        so this is a simple average across areas meant only for non-overlapping,
        equally sized area distributions.
        """
        sums = np.zeros(self.num_colors)
        for area in self.areas:
            if area.unique_id != -1:  # Exclude global area
                sums += area.color_distribution
        # Return the average color distributions
        self._av_area_color_dst = sums / self.num_areas
        return self._av_area_color_dst


    def update_global_color_distribution(self) -> None:
        """
        This method updates the global color distribution based on the current
        state of the grid. It calculates the distribution of colors across all
        color cells and normalizes it to sum to 1.
        """
        if self._areas_are_disjoint:
            # Fast + exact when areas are disjoint:
            # global counts = sum(area counts) + uncovered counts (uncovered are static).
            counts = np.array(self._uncovered_color_counts, copy=True)
            for area in self.areas:
                if area.unique_id != -1:
                    counts += area.color_counts
            total_cells = len(self.color_cells)
            if total_cells > 0:
                self.global_color_dst = counts / float(total_cells)
            return
        elif self.width * self.height > 1e+5:
            print("Warning: Updating global color distribution on large grids may be slow.")
        color_counts = np.zeros(self.num_colors)
        for cell in self.color_cells:
            color_counts[cell.color] += 1
        total_cells = len(self.color_cells)
        if total_cells > 0:
            self.global_color_dst = color_counts / total_cells


    @staticmethod
    def pers_dist(size: int, *, rng: np.random.Generator) -> np.ndarray:
        """
        Create a normalized non-negative distribution of length `size`.
        Generates a sorted absolute normal sample and normalizes to sum to one.
        """
        dist = rng.normal(0, 1, size)
        dist.sort()
        dist = np.abs(dist)
        total = dist.sum()
        if total == 0:
            # Edge-case: all zeros; fallback to uniform
            return np.full(size, 1.0 / size)
        return dist / total

    @staticmethod
    def create_all_options(n: int, include_ties=False) -> np.ndarray:
        """
        Creates a matrix (an array) of all possible orderings (permutations),
        optionally including ties (rank vectors).
        Rank values start from 0.

        Args:
            n (int): The number of items to rank (number of colors in our case)
            include_ties (bool): If True, include rank vectors with ties.

        Returns:
            np.ndarray: A matrix containing all possible orderings or rank vectors.
        """
        if include_ties:
            # Create all possible combinations and sort out invalid rank vectors
            # i.e. [1, 1, 1] or [1, 2, 2] aren't valid as no option is ranked first.
            r = np.array([np.array(comb) for comb in product(range(n), repeat=n)
                          if set(range(max(comb))).issubset(comb)])
        else:
            r = np.array([np.array(p) for p in permutations(range(n))])
        return r

    def color_by_dst_rng(self, color_distribution: np.ndarray) -> int:
        """Deterministic sampling using the model's seeded RNG."""
        if abs(sum(color_distribution) -1) > 1e-8:
            raise ValueError("The color_distribution array must sum to 1.")
        r = float(self.np_random.random())
        cumulative_sum = 0.0
        for color_idx, prob in enumerate(color_distribution):
            if prob < 0:
                raise ValueError("color_distribution contains negative value.")
            cumulative_sum += prob
            if r < cumulative_sum:
                return int(color_idx)
        raise ValueError("Unexpected error in color_distribution.")

    @staticmethod
    def _get_voting_rule_conf(rule_idx):
        # Wrap voting rules so they use deterministic RNG
        # Keep self.voting_rule as the base function for tests.
        if rule_idx < 0 or rule_idx >= len(social_welfare_functions):
            raise ValueError(f"rule_idx out of range: {rule_idx} (valid: 0..{len(social_welfare_functions)-1})")
        vr = social_welfare_functions[rule_idx]
        impl_names = [f.__name__ for f in social_welfare_functions]

        # Display names (for UI): prefer short names if aligned; otherwise fallback.
        if len(social_welfare_function_short_names) == len(social_welfare_functions):
            display_names = social_welfare_function_short_names
            display_name = social_welfare_function_short_names[rule_idx]
        else:
            display_names = impl_names
            display_name = str(vr.__name__)

        impl_name = str(vr.__name__)
        return vr, display_names, display_name, impl_names, impl_name

    @staticmethod
    def _get_dist_conf(distance_idx: int):
        """
        Return (callable, display_names, display_name, impl_names, impl_name) for distance_idx.
        Selects an ordering distance (for valid ColorOrderings (permutations)) used in:
          ballot scoring (ScoreVector entries are distances to options)
          rewards (quality-gate distance, personal distance)
        """
        if distance_idx < 0 or distance_idx >= len(distance_functions):
            raise ValueError(
                f"distance_idx out of range: {distance_idx} (valid: 0..{len(distance_functions)-1})"
            )
        f = distance_functions[distance_idx]
        impl_names = [fn.__name__ for fn in distance_functions]
        impl_name = str(f.__name__)

        if len(distance_function_short_names) == len(distance_functions):
            display_names = distance_function_short_names
            display_name = distance_function_short_names[distance_idx]
        else:
            display_names = impl_names
            display_name = impl_name

        return f, display_names, display_name, impl_names, impl_name

adjust_color_pattern(color_patches_steps, patch_power)

Adjusting the color pattern to make it less predictable.

Parameters:

Name Type Description Default
color_patches_steps int

How often to run the color-patches step.

required
patch_power float

The power of the patching (like a radius of impact).

required
Source code in src/models/participation_model.py
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
def adjust_color_pattern(self, color_patches_steps: int, patch_power: float):
    """Adjusting the color pattern to make it less predictable.

    Args:
        color_patches_steps: How often to run the color-patches step.
        patch_power: The power of the patching (like a radius of impact).
    """
    cells = self.color_cells
    for _ in range(color_patches_steps):
        # print(f"Color adjustment step {_}")
        self.random.shuffle(cells)
        for cell in cells:
            most_common_color = self.color_patches(cell, patch_power)
            cell.color = most_common_color

clear_output_sinks()

Clear output sink callbacks used by logging.

Source code in src/models/participation_model.py
751
752
753
754
def clear_output_sinks(self) -> None:
    """Clear output sink callbacks used by logging."""
    self._output_vote_sink = None
    self._output_area_snapshot_sink = None

color_by_dst_rng(color_distribution)

Deterministic sampling using the model's seeded RNG.

Source code in src/models/participation_model.py
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
def color_by_dst_rng(self, color_distribution: np.ndarray) -> int:
    """Deterministic sampling using the model's seeded RNG."""
    if abs(sum(color_distribution) -1) > 1e-8:
        raise ValueError("The color_distribution array must sum to 1.")
    r = float(self.np_random.random())
    cumulative_sum = 0.0
    for color_idx, prob in enumerate(color_distribution):
        if prob < 0:
            raise ValueError("color_distribution contains negative value.")
        cumulative_sum += prob
        if r < cumulative_sum:
            return int(color_idx)
    raise ValueError("Unexpected error in color_distribution.")

color_patches(cell, patch_power)

Meant to create a less random initial color distribution using a similar logic to the color patches model. It uses a (normalized) bias coordinate to center the impact of the color patches structures impact around.

Parameters:

Name Type Description Default
cell ColorCell

The cell possibly changing color.

required
patch_power float

Radius-like impact around bias point.

required

Returns:

Name Type Description
int int

Consensus color or the cell's own color if no consensus.

Source code in src/models/participation_model.py
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
def color_patches(self, cell: ColorCell, patch_power: float) -> int:
    """
    Meant to create a less random initial color distribution
    using a similar logic to the color patches model.
    It uses a (normalized) bias coordinate to center the impact of the
    color patches structures impact around.

    Args:
        cell (ColorCell): The cell possibly changing color.
        patch_power (float): Radius-like impact around bias point.

    Returns:
        int: Consensus color or the cell's own color if no consensus.
    """
    # Calculate the normalized position of the cell
    normalized_x = cell.row / self.height
    normalized_y = cell.col / self.width
    # Calculate the distance of the cell to the bias point
    bias_factor = (abs(normalized_x - self._horizontal_bias)
                   + abs(normalized_y - self._vertical_bias))
    # The closer the cell to the bias-point, the less often it is
    # to be replaced by a color chosen from the initial distribution:
    if abs(self.random.gauss(0, patch_power)) < bias_factor:
        return self.color_by_dst_rng(self._preset_color_dst)
    # Otherwise, apply the color patches logic
    neighbor_cells = self.grid.get_neighbors((cell.col, cell.row),
                                             moore=True,
                                             include_center=False)
    color_counts = {}  # Count neighbors' colors
    for neighbor in neighbor_cells:
        if isinstance(neighbor, ColorCell):
            color = neighbor.color
            color_counts[color] = color_counts.get(color, 0) + 1
    if color_counts:
        max_count = max(color_counts.values())
        most_common_colors = [color for color, count in color_counts.items()
                              if count == max_count]
        return self.random.choice(most_common_colors)
    return cell.color  # Return the cell's own color if no consensus

create_all_options(n, include_ties=False) staticmethod

Creates a matrix (an array) of all possible orderings (permutations), optionally including ties (rank vectors). Rank values start from 0.

Parameters:

Name Type Description Default
n int

The number of items to rank (number of colors in our case)

required
include_ties bool

If True, include rank vectors with ties.

False

Returns:

Type Description
ndarray

np.ndarray: A matrix containing all possible orderings or rank vectors.

Source code in src/models/participation_model.py
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
@staticmethod
def create_all_options(n: int, include_ties=False) -> np.ndarray:
    """
    Creates a matrix (an array) of all possible orderings (permutations),
    optionally including ties (rank vectors).
    Rank values start from 0.

    Args:
        n (int): The number of items to rank (number of colors in our case)
        include_ties (bool): If True, include rank vectors with ties.

    Returns:
        np.ndarray: A matrix containing all possible orderings or rank vectors.
    """
    if include_ties:
        # Create all possible combinations and sort out invalid rank vectors
        # i.e. [1, 1, 1] or [1, 2, 2] aren't valid as no option is ranked first.
        r = np.array([np.array(comb) for comb in product(range(n), repeat=n)
                      if set(range(max(comb))).issubset(comb)])
    else:
        r = np.array([np.array(p) for p in permutations(range(n))])
    return r

create_color_distribution(heterogeneity)

Create a normalized color distribution biased by the heterogeneity factor.

Parameters:

Name Type Description Default
heterogeneity float

Standard deviation for Gaussian sampling.

required
Source code in src/models/participation_model.py
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
def create_color_distribution(self, heterogeneity: float) -> np.ndarray:
    """
    Create a normalized color distribution biased by the heterogeneity factor.

    Args:
        heterogeneity (float): Standard deviation for Gaussian sampling.
    """
    # Vectorized sampling: mean=1, std=heterogeneity, shape=(num_colors,)
    values = np.abs(
        self.np_random.normal(1.0, heterogeneity, self.num_colors))
    # Normalize
    values /= values.sum()
    return values

create_personality_groups(n)

Creates n unique personality_groups as permutations of color indices.

Parameters:

Name Type Description Default
n int

Number of unique personality_groups.

required

Returns:

Type Description
ndarray

np.ndarray: Shape (n, num_colors).

Raises:

Type Description
ValueError

If n exceeds the possible unique permutations.

Example

for n=2 and self.num_colors=3, the function could return:

[[1, 0, 2], [2, 1, 0]]

Source code in src/models/participation_model.py
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
def create_personality_groups(self, n: int) -> np.ndarray:
    """
    Creates n unique personality_groups as permutations of color indices.

    Args:
        n (int): Number of unique personality_groups.

    Returns:
        np.ndarray: Shape `(n, num_colors)`.

    Raises:
        ValueError: If `n` exceeds the possible unique permutations.

    Example:
        for n=2 and self.num_colors=3, the function could return:

        [[1, 0, 2],
        [2, 1, 0]]
    """
    n_colors = self.num_colors
    max_permutations = factorial(n_colors)
    if n > max_permutations or n < 1:
        raise ValueError(f"Cannot generate {n} unique personality_groups: "
                         f"only {max_permutations} unique ones exist.")
    selected_permutations = set()
    while len(selected_permutations) < n:
        # Sample a permutation lazily and add it to the set
        perm = tuple(self.random.sample(range(n_colors), n_colors))
        selected_permutations.add(perm)

    return np.array(list(selected_permutations))

get_altruistic_oppose_scores_for_ordering(ordering)

Return cached option oppose-scores for a target ordering.

Raises loudly if the ordering is invalid or not part of the current option set.

Source code in src/models/participation_model.py
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
def get_altruistic_oppose_scores_for_ordering(self, ordering) -> np.ndarray:
    """Return cached option oppose-scores for a target ordering.

    Raises loudly if the ordering is invalid or not part of the current option set.
    """
    option_id = int(self.option_id_for_ordering(ordering))
    if option_id < 0:
        raise ValueError("ordering is invalid or not present in model.options")
    cached = self.altruistic_oppose_scores_by_option_id.get(option_id)
    if cached is not None:
        self.altruistic_score_cache_hits += 1
        return cached

    scores = np.asarray(
        score_options_c2(
            target_ordering=np.asarray(ordering, dtype=np.int64),
            options=np.asarray(self.options),
            distance_func=self.distance_func,
            color_search_pairs=self.color_search_pairs,
        ),
        dtype=np.float32,
    )
    scores.setflags(write=False)
    self.altruistic_oppose_scores_by_option_id[option_id] = scores
    self.altruistic_score_cache_misses += 1
    return scores

init_color_probs(election_impact)

This method initializes a probability array for the mutation of colors. The probabilities reflect the election outcome with some impact factor.

Parameters:

Name Type Description Default
election_impact float

The impact the election has on the mutation.

required
Source code in src/models/participation_model.py
816
817
818
819
820
821
822
823
824
825
826
827
def init_color_probs(self, election_impact) -> np.ndarray:
    """
    This method initializes a probability array for the mutation of colors.
    The probabilities reflect the election outcome with some impact factor.

    Args:
        election_impact (float): The impact the election has on the mutation.
    """
    p = (np.arange(self.num_colors, 0, -1)) ** election_impact
    # Normalize
    p = p / sum(p)
    return p

initialize_all_areas()

Initializes all areas on the grid in the model.

This method divides the grid into approximately evenly distributed areas, ensuring that the areas are spaced as uniformly as possible based on the grid dimensions and the average area size specified by av_area_width and av_area_height.

The grid may contain more or fewer areas than an exact square grid arrangement due to num_areas not always being a perfect square. If the number of areas is not a perfect square, the remaining areas are placed randomly on the grid to ensure that num_areas areas are initialized.

Initializes num_areas and places them directly on the grid.

Example
  • Given num_areas = 4 and grid.width = grid.height = 10, this method might initialize areas with approximate distances to maximize uniform distribution (like a 2x2 grid).
  • For num_areas = 5, four areas will be initialized evenly, and the fifth will be placed randomly due to the uneven distribution.
Source code in src/models/participation_model.py
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
def initialize_all_areas(self) -> None:
    """
    Initializes all areas on the grid in the model.

    This method divides the grid into approximately evenly distributed areas,
    ensuring that the areas are spaced as uniformly as possible based
    on the grid dimensions and the average area size specified by
    `av_area_width` and `av_area_height`.

    The grid may contain more or fewer areas than an exact square
    grid arrangement due to `num_areas` not always being a perfect square.
    If the number of areas is not a perfect square, the remaining areas
    are placed randomly on the grid to ensure that `num_areas`
    areas are initialized.

    Initializes `num_areas` and places them directly on the grid.

    Example:
        - Given `num_areas = 4` and `grid.width = grid.height = 10`,
          this method might initialize areas with approximate distances
          to maximize uniform distribution (like a 2x2 grid).
        - For `num_areas = 5`, four areas will be initialized evenly, and
          the fifth will be placed randomly due to the uneven distribution.
    """
    if self.num_areas == 0:
        return
    # Calculate the number of areas in each direction
    nr_areas_x = self.grid.width // self.av_area_width
    nr_areas_y = self.grid.height // self.av_area_height
    self._no_overlap = (
        self.area_size_variance == 0
        and self.av_area_width > 0
        and self.av_area_height > 0
        and self.width % self.av_area_width == 0
        and self.height % self.av_area_height == 0
        and self.num_areas == nr_areas_x * nr_areas_y
    )
    # Calculate the distance between the areas
    area_x_dist = self.grid.width // nr_areas_x
    area_y_dist = self.grid.height // nr_areas_y
    x_coords = range(0, self.grid.width, area_x_dist)
    y_coords = range(0, self.grid.height, area_y_dist)
    reserved = {(int(x), int(y)) for x in x_coords for y in y_coords}
    # Add additional areas if necessary (num_areas not a square number)
    additional_x, additional_y = [], []
    missing = self.num_areas - len(x_coords) * len(y_coords)
    for _ in range(missing):
        # Avoid placing the "additional" area exactly on the regular grid anchors;
        # otherwise tests/diagnostics can't distinguish them, and we may duplicate placements.
        for _attempt in range(1000):
            rx = int(self.random.randrange(self.grid.width))
            ry = int(self.random.randrange(self.grid.height))
            if (rx, ry) not in reserved:
                reserved.add((rx, ry))
                additional_x.append(rx)
                additional_y.append(ry)
                break
        else:
            raise RuntimeError("Failed to place all areas. Grid may be too small or num_areas too large.")
            # Fallback: accept any random coordinate (extremely unlikely).
            #additional_x.append(int(self.random.randrange(self.grid.width)))
            #additional_y.append(int(self.random.randrange(self.grid.height)))
    if missing > 0:
        self._no_overlap = False
    # Create the area's ids
    a_ids = iter(range(self.num_areas))
    # Initialize all areas
    for x_coord in x_coords:
        for y_coord in y_coords:
            a_id = next(a_ids, -1)
            if a_id == -1:
                break
            self.initialize_area(a_id, x_coord, y_coord)
    for x_coord, y_coord in zip(additional_x, additional_y):
        self.initialize_area(next(a_ids), x_coord, y_coord)

initialize_area(a_id, x_coord, y_coord)

This method initializes one area in the models' grid.

Source code in src/models/participation_model.py
829
830
831
832
833
834
835
836
837
838
839
def initialize_area(self, a_id: int, x_coord, y_coord) -> None:
    """
    This method initializes one area in the models' grid.
    """
    area = Area(a_id, self, self.av_area_height, self.av_area_width,
                self.area_size_variance)
    # Place the area in the grid using its indexing field
    # this adds the corresponding color cells and voting agents to the area
    area.idx_field = (x_coord, y_coord)
    # Save in the models' areas-list
    self.areas[a_id] = area

initialize_global_area()

Initializes the global area spanning the whole grid.

Returns:

Name Type Description
Area Area

The global area (with unique_id set to -1 and idx to (0, 0)).

Source code in src/models/participation_model.py
918
919
920
921
922
923
924
925
926
927
928
929
def initialize_global_area(self) -> Area:
    """
    Initializes the global area spanning the whole grid.

    Returns:
        Area: The global area (with unique_id set to -1 and idx to (0, 0)).
    """
    global_area = Area(-1, self, self.height, self.width, 0)
    # Place the area in the grid using its indexing field
    # this adds the corresponding color cells and voting agents to the area
    global_area.idx_field = (0, 0)
    return global_area

initialize_voting_agents(intended_dst, id_start=0)

This method initializes as many voting agents as set in the model with a randomly chosen personality_group. It places them randomly on the grid. It also ensures that each agent is assigned to the color cell it is standing on. Args: id_start (int): The starting ID for agents to ensure unique IDs. intended_dst (np.ndarray): The intended distribution of personality (preference) groups.

Source code in src/models/participation_model.py
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
def initialize_voting_agents(self, intended_dst, id_start = 0) -> None:
    """
    This method initializes as many voting agents as set in the model with
    a randomly chosen personality_group. It places them randomly on the grid.
    It also ensures that each agent is assigned to the color cell it is
    standing on.
    Args:
        id_start (int): The starting ID for agents to ensure unique IDs.
        intended_dst (np.ndarray): The intended distribution of personality (preference) groups.
    """
    # Testing parameter validity
    if self.num_agents < 1:
        raise ValueError("The number of agents must be at least 1.")
    assets = self.initial_agent_assets
    nr = len(self.personality_groups)
    for idx in range(self.num_agents):
        # Assign unique ID after areas
        unique_id = id_start + idx
        # Get a random position
        x = self.random.randrange(self.width)
        y = self.random.randrange(self.height)
        # Choose a personality_group based on the distribution
        personality_group_idx = self.np_random.choice(nr, p=intended_dst)
        personality_group = self.personality_groups[personality_group_idx]
        # Create agent without appending (add to the pre-defined list)
        agent = VoteAgent(unique_id, self, (x, y), personality_group,
                          personality_group_idx, assets=assets, add=False)
        self.voting_agents[idx] = agent  # Add using the index (faster)
        # Add the agent to the grid by placing it on a ColorCell
        cell = self.grid.get_cell_list_contents([(x, y)])[0]
        if TYPE_CHECKING:
            cell = cast(ColorCell, cell)
        cell.add_agent(agent)

option_id_for_ordering(ordering)

Return option id for an ordering, or -1 if invalid/not found.

Source code in src/models/participation_model.py
711
712
713
714
715
716
717
def option_id_for_ordering(self, ordering) -> int:
    """Return option id for an ordering, or -1 if invalid/not found."""
    try:
        arr = np.asarray(ordering, dtype=np.int64).reshape(-1)
    except (TypeError, ValueError):
        return -1
    return int(self.option_id_by_ordering.get(tuple(int(x) for x in arr.tolist()), -1))

pers_dist(size, *, rng) staticmethod

Create a normalized non-negative distribution of length size. Generates a sorted absolute normal sample and normalizes to sum to one.

Source code in src/models/participation_model.py
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
@staticmethod
def pers_dist(size: int, *, rng: np.random.Generator) -> np.ndarray:
    """
    Create a normalized non-negative distribution of length `size`.
    Generates a sorted absolute normal sample and normalizes to sum to one.
    """
    dist = rng.normal(0, 1, size)
    dist.sort()
    dist = np.abs(dist)
    total = dist.sum()
    if total == 0:
        # Edge-case: all zeros; fallback to uniform
        return np.full(size, 1.0 / size)
    return dist / total

register_output_sinks(*, vote_sink, area_snapshot_sink)

Register output sink callbacks used by logging.

Source code in src/models/participation_model.py
746
747
748
749
def register_output_sinks(self, *, vote_sink, area_snapshot_sink) -> None:
    """Register output sink callbacks used by logging."""
    self._output_vote_sink = vote_sink
    self._output_area_snapshot_sink = area_snapshot_sink

step()

Advance the model by one step.

Source code in src/models/participation_model.py
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
def step(self):
    """
    Advance the model by one step.
    """
    # Early exit if step limit reached
    if self.max_steps is not None and self.scheduler.steps >= self.max_steps:
        self.running = False
        return
    # Conduct elections in the areas
    # and then mutate the color cells according to election outcomes
    self.scheduler.step()
    # Canonical scalar snapshot at election-time state (post-election/reward, pre-mutation).
    self.step_metrics_snapshot = self._compute_step_metrics_snapshot()
    # Collect data for monitoring and data analysis (pre-mutation).
    if self.datacollector is not None:
        self.datacollector.collect(self)
    # Enforce step limit after step executed
    if self.max_steps is not None and self.scheduler.steps >= self.max_steps:
        # Model intentionally stops after the last election-time snapshot;
        # no final "apply pending mutation" step is executed.
        self.running = False

update_av_area_color_dst()

This method updates the av_area_color_dst attribute of the model. Beware: Overlaps and size difference of areas is not currently accounted for, so this is a simple average across areas meant only for non-overlapping, equally sized area distributions.

Source code in src/models/participation_model.py
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
def update_av_area_color_dst(self) -> np.ndarray:
    """
    This method updates the av_area_color_dst attribute of the model.
    Beware: Overlaps and size difference of areas is not currently accounted for,
    so this is a simple average across areas meant only for non-overlapping,
    equally sized area distributions.
    """
    sums = np.zeros(self.num_colors)
    for area in self.areas:
        if area.unique_id != -1:  # Exclude global area
            sums += area.color_distribution
    # Return the average color distributions
    self._av_area_color_dst = sums / self.num_areas
    return self._av_area_color_dst

update_global_color_distribution()

This method updates the global color distribution based on the current state of the grid. It calculates the distribution of colors across all color cells and normalizes it to sum to 1.

Source code in src/models/participation_model.py
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
def update_global_color_distribution(self) -> None:
    """
    This method updates the global color distribution based on the current
    state of the grid. It calculates the distribution of colors across all
    color cells and normalizes it to sum to 1.
    """
    if self._areas_are_disjoint:
        # Fast + exact when areas are disjoint:
        # global counts = sum(area counts) + uncovered counts (uncovered are static).
        counts = np.array(self._uncovered_color_counts, copy=True)
        for area in self.areas:
            if area.unique_id != -1:
                counts += area.color_counts
        total_cells = len(self.color_cells)
        if total_cells > 0:
            self.global_color_dst = counts / float(total_cells)
        return
    elif self.width * self.height > 1e+5:
        print("Warning: Updating global color distribution on large grids may be slow.")
    color_counts = np.zeros(self.num_colors)
    for cell in self.color_cells:
        color_counts[cell.color] += 1
    total_cells = len(self.color_cells)
    if total_cells > 0:
        self.global_color_dst = color_counts / total_cells