"The Society that separates its Scholars from its Warriors, will have its thinking done by cowards and its fighting done by fools." Thucydides

PURPOSE: Become the Scholar Warrior for your Goals

Improve Every Single Day!

Improve Yourself 1% a Day = 3600%+ in a Year

Thought-Technique-Strategy of the Week:

Image

Create Your Powerful Identity

Let's say you wish to excel in the art of painting. Or open your own woodworking business. Or become a Filmmaker which I did many years ago. The key is to utilize a Powerful Identity in reframing your Focus. Let's stick with painter for the moment.

Use the words: "I am a painter." The powerful use of the "I am..." phrase welds this new outlook to you mentally, intellectually but, more importantly, emotionally. Why emotionally? When you talk about painting (or any very exciting goal), then you can feel the electrical excitement within your body and Being.

"Being" is the act of existing within this newly embraced identity. Then you grow and become.

READ THE MAIN ARTICLE HERE

7 Actions To Change Your Life

Michael's Kenpo Karate Weapons Form - Knife & Pistol

You can see my Pistol & Knife form at approximately 10:31 here in the video from 2010. This is at Bryan Hawkins Kenpo Karate where I have studied Kenpo Karate for approximately over 35 years. The form is one that I created to advance in the system, utilizing Kenpo Karate principles. I use the form with the primary weapon as the firearm, duly guarded and using the knife for close-in drills. This is the training the Warrior phase!

Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog
Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog
Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog
Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog
Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog
Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog
Burning Questions:

Grok on Redistricting

November 07, 20254 min read
Grok on Redistricting - A Burning Question

I found this website which seems neutral on its explanations called Redistrictingdatahub.com

What is redistricting?

Redistricting is the process of redrawing electoral boundaries. It occurs for all levels of representative government, including the US House of Representatives, state legislatures, county and city government, schools districts, and more. These boundaries define the constituency that will be represented in government and the district in which a candidate for office runs.

I actually asked Grok about how to create a neutral unbiased Redistricting map.  Here's the explanation:  

To achieve truly random redistricting across all 50 U.S. states every two years (e.g., aligned with federal election cycles or census updates), you can leverage geographic information systems (GIS), computational geometry, and randomization algorithms. The core idea is to overlay a fine-grained grid on each state's geometry, then use a cryptographically secure random process to aggregate grid cells into districts of equal population. This ensures compactness, contiguity, and population equality while eliminating human bias.Below is a step-by-step technical framework using open-source tools (like Python with libraries such as GeoPandas, Shapely, and NumPy) that could be scaled nationally via cloud computing. This can be automated to run biennially with updated Census data.1. Data Preparation (One-Time Setup per Cycle)

  • Obtain State Boundaries and Population Data:

    • Download state shapefiles from the U.S. Census Bureau TIGER/Line database (free, updated post-decennial census or annually for estimates).

    • Use block-level population data (smallest unit, ~100 people per block) from the Census API or PL 94-171 redistricting files.

  • Preprocess:

    • For each state, clip population blocks to the state boundary.

    • Project everything to a equal-area CRS (e.g., Albers Equal Area Conic for the U.S.: EPSG:5070) to preserve area/population accuracy.

2. Overlay a Randomized Grid

  • Grid Generation:

    • Define a fine grid resolution based on state size and desired district count. For example:

      • Grid cell size: 500m × 500m (adjustable; finer for precision, coarser for speed).

      • Use GeoPandas to create a fishnet grid over the state's bounding box.

    • Randomize the Grid Origin (to prevent fixed patterns):

      • Generate a cryptographically secure random offset (x, y) within one cell's dimensions using secrets module or /dev/urandom.

      • Shift the entire grid by this offset. This ensures the grid doesn't align predictably with geography or demographics.

    • Assign Population to Grid Cells:

      • Spatially join Census blocks to grid cells.

      • Apportion block population to intersecting cells proportionally by area (using Shapely's intersection and area).

Python Snippet Example (for one state; loop over all 50):

python

import geopandas as gpd
import numpy as np
from shapely.geometry import Polygon
import secrets

# Load state boundary and blocksstate = gpd.read_file('tl_2020_us_state.shp').query("NAME == 'California'").to_crs(epsg=5070)blocks = gpd.read_file('tl_2020_06_tabblock20.shp').to_crs(epsg=5070)# CA example
# Random grid offset (0 to cell_size)cell_size =500# metersrand_x = secrets.randbelow(cell_size)rand_y = secrets.randbelow(cell_size)
# Create shifted gridxmin, ymin, xmax, ymax = state.total_bounds
x_coords = np.arange(xmin + rand_x, xmax, cell_size)y_coords = np.arange(ymin + rand_y, ymax, cell_size)grid_cells =[Polygon([(x,y),(x+cell_size,y),(x+cell_size,y+cell_size),(x,y+cell_size)])for x in x_coords for y in y_coords]grid = gpd.GeoDataFrame(geometry=grid_cells, crs=state.crs)grid = grid[grid.intersects(state.unary_union)]# Clip to state
# Assign population (simplified)grid['population']=0for idx, block in blocks.iterrows(): intersecting = grid[grid.intersects(block.geometry)]for g_idx, cell in intersecting.iterrows(): inter_area = cell.geometry.intersection(block.geometry).area
 prop = inter_area / block.geometry.area
 grid.at[g_idx,'population']+= block['POP20']* prop

3. Random District Formation

  • Determine District Count and Target Population:

    • Districts per state: Based on congressional seats (from latest Census apportionment) + state legislative districts if needed.

    • Target pop per district: Total state pop / districts (allow ±1% deviation for integers).

  • Aggregation Algorithm (Random Seed-and-Grow):

    • Use a randomized flood-fill or hierarchical clustering to group contiguous grid cells.

    • Steps:

      1. Randomly select seed cells (one per district) using weighted random sampling by population (higher-pop cells more likely as seeds).

      2. Grow districts iteratively: Assign unassigned contiguous cells to the nearest district (by centroid distance) until population targets are met.

      3. Enforce contiguity with union-find or BFS/DFS on grid adjacency graph.

      4. If population imbalance >1%, perturb by swapping border cells randomly and recheck.

    • For true randomness: Seed the RNG with a public, verifiable source (e.g., NIST beacon or blockchain hash from the cycle's start date).

Alternative Algorithms for Variety:

  • Voronoi Partitioning: Generate random points (Poisson disk sampling for even spread), compute Voronoi diagram clipped to state, adjust points iteratively for pop equality.

  • Genetic Algorithm: Evolve random partitions, scoring on compactness (Polsby-Popper) and pop equality; select fittest.

4. Automation and Scaling for All States Every 2 Years

  • Pipeline Orchestration:

    • Use AWS/GCP batch jobs or Apache Airflow to run per-state in parallel.

    • Trigger biennially: Cron job pulls latest Census estimates (API: api.census.gov), runs on Feb 1 of even years post-elections.

    • Output: GeoJSON/Shapefiles of districts, uploaded to a public portal (e.g., GitHub or state election site).

  • Verification and Transparency:

    • Publish RNG seed (e.g., hash of prior election results) for reproducibility.

    • Run 100+ simulations per state; select one randomly or by neutrality metric (e.g., minimal efficiency gap).

    • Open-source the code (e.g., on GitHub under MIT license) for audits.

5. Challenges and Mitigations

  • Population Equality: Use optimization (e.g., PuLP linear programming) to fine-tune after random aggregation.

  • Compactness/Contiguity: Post-process with smoothing (e.g., convex hull) or reject non-compact runs.

  • VRA Compliance: If required, add constraints (e.g., preserve majority-minority areas via seeded protection); otherwise, pure randomness may violate—hybrid with human review.

  • Compute: ~1-2 hours per large state on a modern CPU; parallelize across 50 states in <1 day.

  • Legality: This would require constitutional amendments or state laws; tech alone can't enforce.

This system produces verifiable, bias-free maps. Tools like Dave's Redistricting App or Districtr already prototype similar ideas—extend them nationally with the above randomization. For a proof-of-concept, start with one state in Jupyter Notebook.

redistrictinggrokelections
blog author image

Michael Mandaville

Michael is a writer, filmmaker and dedicated World War II historian who studies martial arts, action films and is learning more about VFX every single darn day. Oh and a Scholar Warrior

Back to Blog

SCHOLAR WARRIOR WAY - COURSES

Scholar Warrior Way

Take Action to Transform Yourself

By taking the Scholar Warrior Way Course, you will get Michael's program for Self-Improvement in his pursuit of Creative Excellence in Writing, Filmmaking, Martial arts and his other pursuits from his major curious outlook. Here are the 7 Steps that he uses....

  • Powerful Why - the Key to Enthusiasm and Fulfillment

  • Scholar Warrior Identity - Embracing the new Mentality - now!

  • Your Morning Routine - Starting the day Right.

  • Brainstorming Your How - Strategy thinking and tactics

  • Create Your Own Systems - Become efficient with predictable results

  • Building Transforming Habits - Habit creates Destiny

  • The Art of Sleep - Long ignored but a necessary health break.

Levels 1, 2 and 3 - Detailing and add more videos, wisdom, resources and Learning Materials for your Growth and Self-Improvement.

FAQS

What is The Purpose of the "ScholarWarriorWay" ?

By engaging in the mental perspective of the Scholar Warrior, you embrace two aspects of your life: The Scholar with a constant focus on self-development and self-improvement. The Warrior whereby you learn techniques about courage, action and derring-do to achieve your true authentic goals for a fulfilled life.

How much does Scholar Warrior Way cost?

The cost of could be absolutely no money if you just want to get on our newsletter to read the various articles on the website. If you want to take the courses on various levels, then you might spend $200-300 per year. Think of it this way: If you could improve yourself 100-200-300-1000-3600% in a single year, then how much is it worth? The price of two meals and drinks at a restaurant that you'll never remember? Make a better life choice.

How do I know I work with the ScholarWarriorWay?

ScholarWarriorWay is broken down into 7 Major Strategies. You can pick one and work on it for a few weeks, then add another strategies. They start with the Powerful Why and end with the Art of Sleep.