Below is a custom script created to conduct a geo-local, cross-domain, Masonic investigation against 58 higher-ranking and power-wielding East Lashing Officials. It uses an API Google Wrapper to scan Masonic lodge websites (from this area) for targeted names using advanced search logic (commonly known as Google dorking).
#!/usr/bin/env python3
import os, json, random, time, requests, itertools
from requests.adapters import HTTPAdapter
from urllib3.util.retry import Retry
from requests.exceptions import ReadTimeout, ConnectionError
# ── Config ────────────────────────────────────────────────────────────────────
ACTIVE_PROVIDER = os.getenv("SEARCH_PROVIDER", "bing") # "bing" | "google_cse" | "brave"
SEARCH_API_KEY = os.getenv("SEARCH_API_KEY", "YOUR_SEARCH_API_KEY") # Bing/Brave key
GOOGLE_CSE_KEY = os.getenv("GOOGLE_CSE_KEY", "YOUR_GOOGLE_CSE_KEY") # only for google_cse
GOOGLE_CSE_CX = os.getenv("GOOGLE_CSE_CX", "YOUR_GOOGLE_CSE_CX") # only for google_cse
HOURLY_BUDGET = 800 # stay under your provider’s hourly quota
BASE_DELAY = 2.8 # base delay between calls (plus jitter)
REQUEST_TIMEOUT = 45
CACHE_FILE = "dork_cache.json" # (name,domain) -> {"count": N}
OUT_FILE = "dork_results.txt" # append-only
# ── Data (pruned admin list) ─────────────────────────────────────────────────
names = [
"George Brookover", # Mayor
"Robert Belleman", # City Manager
"Mark Meadows", # City Council
"Erik Altmann", # City Council
"Justin Guigar", # Finance Administrator
"Matt Torok", # Finance & Risk Administrator
"David Lee", # City Assessor
"Marcin Lubas", # Deputy Assessor
"Adam Park", # Interim Captain / Lieutenant (Police Athletic League too)
"Adrian Ojerio", # Lieutenant
"Travis Bove", # Lieutenant
"Chad Stemen", # Sergeant
"Justan Horst", # Sergeant
"Paul Weidner", # Supervisor (Community Services Unit)
"Chris Schmitten", # Neighborhood Resource Specialist
"Scott Klavenski", # Quartermaster
"Jeremy Hamilton", # Sergeant / Jail Supervisor
"Austin Nelson", # Detective
"Andy Ferguson", # Detective
"Scot Sexton", # Lieutenant
"Jason Cotton", # Sergeant
"Tony Fuller", # Sergeant
"Jeff Horn", # Sergeant
"Andy Stephenson", # Sergeant
"Jayson Young", # Sergeant
"Trent Bragg", # Probation Officer
"John Newman", # Fire Chief
"Blake Holt", # Fire Marshal
"Derek Burcham", # Fire Inspector
"Joe Pontack", # Fire Inspector
"Derek Johnson", # Deputy Fire Chief
"Michel Kueppers", # Lieutenant
"James Ladiski", # Deputy Chief
"Michael Luce", # Lieutenant
"Tom Roush", # Lieutenant
"Michael Schafer", # Lieutenant
"Andy Swanson", # Deputy Chief
"Alan Vanstempvoort", # Lieutenant
"Garron Vasilion", # Deputy Chief
"Robert Voisinet", # Lieutenant
"Tim Schultz", # Building & Code Administrator
"Bryan Thomas", # Electrical Inspector
"Joe Hardin", # Mechanical Inspector
"John Pomaville", # Plumbing Inspector
"Matt Apostle", # Community and Economic Development Specialist
"Caleb Sharrow", # Parking Administrator
"Landon Bartley", # Principal Planner
"Joel Martinez", # Water Manager
"Bryan Woodbeck", # Assistant Water Manager
"Forrest Herald", # Laboratory Supervisor
"Ron Lacasse", # Director of Public Works
"Brad Phillips", # Departmental Coordinator
"Cliff Walls", # Environmental Sustainability & Resiliency Manager
"Andy Gordon", # Natural Resources Technician
"Homer Allen", # Operations Supervisor
"Marcus Grosshans", # Fleet Operations & Purchasing Supervisor
"Alando Chappell", # Interim Operations Administrator
"Stephen Clayton", # Engineering Administrator
]
domains = [
# 🔷 Michigan Scottish Rite & Lodges
"detroitscottishrite.org", # Valley of Detroit, Scottish Rite
"valleyofgrandrapids.org", # Valley of Grand Rapids, Scottish Rite
"valleyofannarbor.org", # Valley of Ann Arbor, Scottish Rite
"valleyofbaycity.org", # Valley of Bay City, Scottish Rite
"mismason.org", # Grand Lodge of Michigan (official)
"michiganmasons.org", # Michigan Masons portal
"michiganscottishrite.org", # Michigan Scottish Rite Council
# 🔶 Indiana Scottish Rite & Lodges
"aasr-indy.org", # Valley of Indianapolis, Scottish Rite
"scottishritenmj.org", # Northern Masonic Jurisdiction
"ingl.org", # Grand Lodge of Indiana (official)
"indianafreemasons.com", # Indiana Freemasons portal
"valleyofevansville.org", # Valley of Evansville
"valleyoffortwayne.org", # Valley of Fort Wayne
"valleymasons.org", # Regional Valley Masons site (IN)
# 🟥 Ohio Scottish Rite & Lodges
"freemason.com", # Grand Lodge of Ohio (official)
"ohioscottishrite.com", # Ohio Scottish Rite Council
"daytonaasr.org", # Valley of Dayton
"valleyofcanton.com", # Valley of Canton
"aasrcleveland.org", # Valley of Cleveland
"scottishrite-ohiocouncil.org",
"akronscottishrite.org", # Valley of Akron
"columbusvalley.org", # Valley of Columbus
"scottishritedayton.org", # Dayton resource
# 🍁 Nearby Ontario (Canada) Scottish Rite & Lodges
"grandlodge.on.ca", # Grand Lodge of Canada (Ontario)
"scottishritecanada.ca", # A&ASR of Canada (national)
]
# ── Helpers ───────────────────────────────────────────────────────────────────
def load_cache(path=CACHE_FILE):
if os.path.exists(path):
with open(path, "r", encoding="utf-8") as fp:
return json.load(fp)
return {}
def save_cache(cache, path=CACHE_FILE):
with open(path, "w", encoding="utf-8") as fp:
json.dump(cache, fp, ensure_ascii=False, indent=2)
def is_ca(domain: str) -> bool:
return domain.strip().lower().endswith(".ca")
SESSION = requests.Session()
SESSION.headers.update({"User-Agent": "Mozilla/5.0 (compatible; dork-sweeper/2.0)"})
transport_retry = Retry(
total=2, connect=2, read=2,
backoff_factor=0.6,
status_forcelist=[429, 500, 502, 503, 504],
allowed_methods=["GET"],
raise_on_status=False,
)
adapter = HTTPAdapter(max_retries=transport_retry)
SESSION.mount("https://", adapter)
SESSION.mount("http://", adapter)
# ── Provider-agnostic web search ──────────────────────────────────────────────
def search_api(query: str, ca_locale: bool) -> dict:
"""
Dispatch to the active web search API and return the raw JSON.
Providers:
- "bing": Bing Web Search API
- "google_cse": Google Custom Search JSON API
- "brave": Brave Search API
"""
provider = ACTIVE_PROVIDER.lower()
if provider == "bing":
# https://api.bing.microsoft.com/v7.0/search
endpoint = "https://api.bing.microsoft.com/v7.0/search"
headers = {"Ocp-Apim-Subscription-Key": SEARCH_API_KEY}
params = {
"q": query,
"count": 20,
"mkt": "en-CA" if ca_locale else "en-US",
"safeSearch": "Off",
}
r = SESSION.get(endpoint, headers=headers, params=params, timeout=REQUEST_TIMEOUT)
return r.json()
elif provider == "google_cse":
# https://www.googleapis.com/customsearch/v1
endpoint = "https://www.googleapis.com/customsearch/v1"
params = {
"key": GOOGLE_CSE_KEY,
"cx": GOOGLE_CSE_CX, # your programmable search engine ID
"q": query,
"num": 10, # Google CSE caps at 10 per request
"gl": "ca" if ca_locale else "us",
"hl": "en",
"safe": "off",
}
r = SESSION.get(endpoint, params=params, timeout=REQUEST_TIMEOUT)
return r.json()
elif provider == "brave":
# https://api.search.brave.com/res/v1/web/search
endpoint = "https://api.search.brave.com/res/v1/web/search"
headers = {"X-Subscription-Token": SEARCH_API_KEY}
params = {
"q": query,
"count": 20,
"country": "CA" if ca_locale else "US",
"search_lang": "en",
"safesearch": "off",
}
r = SESSION.get(endpoint, headers=headers, params=params, timeout=REQUEST_TIMEOUT)
return r.json()
else:
raise ValueError(f"Unknown provider: {ACTIVE_PROVIDER}")
def extract_links(provider: str, data: dict) -> list[str]:
"""Normalize links from different providers."""
p = provider.lower()
if p == "bing":
# Bing: { "webPages": { "value": [ { "url": ... }, ... ] } }
items = data.get("webPages", {}).get("value", []) or []
return [it.get("url") for it in items if it.get("url")]
if p == "google_cse":
# Google CSE: { "items": [ { "link": ... }, ... ] }
items = data.get("items", []) or []
return [it.get("link") for it in items if it.get("link")]
if p == "brave":
# Brave: { "web": { "results": [ { "url": ... }, ... ] } }
items = data.get("web", {}).get("results", []) or []
return [it.get("url") for it in items if it.get("url")]
return []
def google_dork(name: str, domain: str) -> list[str]:
# keep the quoted exact-match search
locale_is_ca = is_ca(domain)
q = f"\"{name}\" site:{domain}"
try:
data = search_api(q, locale_is_ca)
return extract_links(ACTIVE_PROVIDER, data)
except (ReadTimeout, ConnectionError) as e:
print(f"[!] Transport timeout for {q}: {e}")
return []
except Exception as e:
print(f"[!] Request exception for {q}: {e}")
return []
def normalize_names(name_list):
seen, out = set(), []
for n in name_list:
key = n.strip().lower()
if key not in seen:
seen.add(key)
out.append(n)
return out
def run(all_names, all_domains):
cache = load_cache()
start_window = time.time()
calls_this_hour = 0
pairs = list(itertools.product(all_names, all_domains))
random.shuffle(pairs)
with open(OUT_FILE, "a", encoding="utf-8") as fout:
for name, domain in pairs:
key = f"{name}|||{domain}"
if key in cache:
continue
# hourly quota guard
elapsed = time.time() - start_window
if calls_this_hour >= HOURLY_BUDGET:
sleep_needed = max(0, 3600 - elapsed) + random.uniform(1.5, 3.0)
print(f"[⏳] Hourly budget reached ({calls_this_hour}). Sleeping {sleep_needed:.1f}s.")
time.sleep(sleep_needed)
start_window = time.time()
calls_this_hour = 0
print(f"[+] Scanning: \"{name}\" on {domain}")
links = google_dork(name, domain)
calls_this_hour += 1
if links:
print(f"[✔] {name} @ {domain} ({len(links)} hits)")
for link in links:
print(f" → {link}")
fout.write(f"{name} | {domain} | {link}\n")
else:
print(f"[×] No hits for {name} @ {domain}")
cache[key] = {"count": len(links)}
if random.random() < 0.15:
save_cache(cache)
time.sleep(BASE_DELAY + random.uniform(0.15, 0.45))
save_cache(cache)
print("[✓] Sweep complete.")
# ── Entry ────────────────────────────────────────────────────────────────────
if __name__ == "__main__":
names_clean = normalize_names(names)
run(names_clean, domains)
⛧°𓃵 ⋆༺⨺⃝༻⋆ 𓃵°⛧
✦•┈๑⋅⋯﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌﹌⋯⋅๑┈•✦
Below is a partial list of results from our dork_results.txt
log - all triggered by a search for "Adam Park" across 20+ local Masonic lodge domains. While none of the actual PDFs we looked at seem to mention his name outright, upon manual inspection ("Ctrl+F"), the documents surfaced anyway - indicating a metadata association, indexing quirk, or cached tie.
Lots of potential name collisions (e.g., “David Lee,” “Jeff Horn”). A hit on a Masonic site ≠ the same person, necessarily.
🗣࿐࿔・.˖•၊၊||၊|။||||။ـ၊|• ۰:۳۰🥓ˎˊ˗
Bio: Captain Adam Douglas Park (alias: “Adam Douglas” online) commands both a title and a smile you might find in a Cold War propaganda reel. From the docked shores of Mullett Lake with his retired, German Shepard K-9 Unit, Max ("Lifedog") to the staircases of Freemasonic halls with his long-time wife *****, Adam serves the East Lashing PD while posing in photos that raise more questions than citations.
When not directing patrol units or brushing up against the Independent Police Oversight Committee, he’s been photographed at the Scottish Rite Cathedral - a known Masonic temple - standing beneath the stained glass of America's most powerful secret fraternity.
Conflict of Interest? Can someone who apparently pledges loyalty to a secret society that believes it governs behind the veil be entrusted with “authority” presumed to come from the public?
Public Contact (from official sources):
📞 (517) 319-6834
📧 apark@cityofeastlansing.com
Public records, satire, and commentary are protected by law (hypothetically, lol). All information presented is based on publicly sourced media, employment listings, and verified photos. This content critiques authority, not individuals.
Adam Park and his wife photographed standing beneath stained-glass windows in the Scottish Rite Cathedral in Indianapolis - a known Masonic headquarters.
🤷♀Confirmed by multiple sources Via Google Lense:
We suspected it already - it's unfortunately common that cops and government higher-ups are also Freemasons (although usually lower-ranking, and probably clueless).
The photographs of Adam Park posing beneath stained glass inside the
Scottish Rite Cathedral
remove even more doubt, alongside the custom Python script results from our - masonic_dork_sweeper_v3.py
- which performs what’s called Google dorking against
dozens of Masonic lodge domains across Michigan, Indiana, Ohio and Canada.
The program cross-checked the names of 58 investigated officers and higher-ranking, male, East Lashing government employees.
Out of all 58 officers and Admins tested, 20 triggered hits - across multiple lodge PDFs and websites, including:
aasr-indy.org
, scottishritenmj.org
, freemason.com
and others.
While not smoking guns by themselves, it remains suspicious that Captain Park and other high-ranking officials triggered this many indirect hits tied to Masonic infrastructure. 🤔
Lots of potential name collisions (e.g., “David Lee,” “Jeff Horn”). A hit on a Masonic site ≠ the same person, necessarily.
Consider these digital echoes. Park's presence may be sanitized from plain text, but the surrounding signal persists of what is already visible in the stained glass behind him: Adam likely is, and remains, a member or associate of Masonic power networks. That affiliation - in uniform or out - is incompatible with any claim of ruling-class transparency or unbiased government authority.
Data pulled from open public sources using legal search methods.
They’ll tell you Freemasonry is just a “fraternity of brotherhood and charity.” Harmless handshakes, right? But give those same brothers badges, gavels, and black robes - and suddenly you’ve got a secret society welded onto public authority.
Imagine a prosecutor, a judge, and a cop - all sworn Masons. Each owes loyalty not to the public, but to the same secret fraternity. Now picture yourself standing trial in that courtroom. Fair game? Or rigged from the start?
This isn’t tinfoil. In Italy, the secret Masonic lodge “Propaganda Due” infiltrated parliament, the military, and the police. The result? Corruption, blackmail, assassinations, and democracy on life support. That’s what happens when hidden oaths run deeper than public ones.
Freemason + Government = Conflict of Interest
Conflict of Interest + Secrecy = Corruption
Corruption + State Power = Tyranny
“A secret society can never coexist with a free society. One will eventually devour the other.”
Lesson: Authority should be accountable. The second it bows to hidden lodges, it stops serving the people - and starts serving itself.
"Lebbeus Armstrong, a New York minister and prominent (and early) seceding Mason, suggested in his 1830 pamphlet,
Masonry Proved to be a Work of Darkness, that if the lodge went unchecked, the United States would have a Masonic monarchy for its government,
a Masonic church, a "Masonic way to a Masonic heaven, and blood and massacre and destruction to all who subscribe not to the support of the Monarch."
—r/AskHistorians
This documentary from 35+ years ago feels less like conspiracy and more like prophecy.
Who/what is a cop's training actually for [crtl]— and why does the badge smile through it all, are they clueless?
Dec 01, 1991 - Behold A Pale Horse By The Late Bill Cooper
Think of Bilderberg as a secretive, consolidated, global-power command node that broadcasts benevolence, but benefits from centuries of secret-society infrastructure - Freemasonry included.
Another way to think of them are an inverterd ouroboros of finance, secrecy, and influence
- a closed loop of elite capital and clandestine consensus, where power feeds itself, global policy is digested behind closed doors and excreted as public reality.
William Bill Cooper - Lansing, Michigan (October 24th, 1996)
William Cooper's lecture in Lansing, Michigan 1996, is well-documented and shared across various platforms. In this lecture, Cooper, known for his truth-based theories and his book "Behold a Pale Horse," discusses topics such as the Illuminati, Freemasonry, the origins of mankind, and the concept of freedom. He also touches on the New World Order and the influence of secret societies on global politics and society.
Zeitgeist (2007)
This film gathers information from many sources and puts it together in a way that shows it is possible for people to be manipulated by large institutions, governments and economic powers. With many news clips from tragic events in history, audio excerpts from those who believe people are being misled about the level of freedom they have.
Below is a full list of results from our dork_results.txt
log - all triggered by searchs for 58 different, high-ranking East Lashing Employees across 20+ Masonic lodge domains from surrounding locales. While none of the actual PDFs we looked at seem to mention names outright, upon manual inspection ("Ctrl+F"), the documents surfaced anyway - indicating a metadata association, indexing quirk, or cached tie.
Lots of potential name collisions (e.g., “David Lee,” “Jeff Horn”). A hit on a Masonic site ≠ the same person, necessarily.
Lots of potential name collisions (e.g., “David Lee,” “Jeff Horn”). A hit on a Masonic site ≠ the same person, necessarily.
Satirical profile constructed using public-facing records, news articles, and open-source media. All content presented under the protections of parody, fair use, and public interest exemptions. This content is satire based on public records and open-source intelligence. It is not doxxing, blackmail, or harassment - it is protected political and artistic speech.
🪐
🛰
⋆.ೃ࿔☁️ ݁ ˖*༄ ⋆。 ゚☀︎。゚⋆。゚☁︎。⋆𓂃 ོ☼𓂃
⁺‧₊˚ ཐི⋆🔑👥𝄃𝄃𝄂𝄀𝄁𝄃𝄂𝄂𝄃👩🏻💻🔬⋆ཋྀ ˚₊‧⁺
👁🚪🧱