main
iOS 1 year ago
parent cd6ff5e61d
commit 45e4b847a2

@ -95,6 +95,6 @@
"repelStrength": 10, "repelStrength": 10,
"linkStrength": 1, "linkStrength": 1,
"linkDistance": 250, "linkDistance": 250,
"scale": 0.8002457137330629, "scale": 0.19685905652792965,
"close": true "close": true
} }

@ -181,23 +181,25 @@ var LinkMetadataParser = class {
this.htmlDoc = htmlDoc; this.htmlDoc = htmlDoc;
} }
parse() { parse() {
var _a, _b; return __async(this, null, function* () {
const title = (_a = this.getTitle()) == null ? void 0 : _a.replace(/\r\n|\n|\r/g, "").replace(/"/g, '\\"').trim(); var _a, _b;
if (!title) const title = (_a = this.getTitle()) == null ? void 0 : _a.replace(/\r\n|\n|\r/g, "").replace(/"/g, '\\"').trim();
return; if (!title)
const description = (_b = this.getDescription()) == null ? void 0 : _b.replace(/\r\n|\n|\r/g, "").replace(/"/g, '\\"').trim(); return;
const { hostname } = new URL(this.url); const description = (_b = this.getDescription()) == null ? void 0 : _b.replace(/\r\n|\n|\r/g, "").replace(/"/g, '\\"').trim();
const favicon = this.getFavicon(); const { hostname } = new URL(this.url);
const image = this.getImage(); const favicon = yield this.getFavicon();
return { const image = yield this.getImage();
url: this.url, return {
title, url: this.url,
description, title,
host: hostname, description,
favicon, host: hostname,
image, favicon,
indent: 0 image,
}; indent: 0
};
});
} }
getTitle() { getTitle() {
var _a, _b; var _a, _b;
@ -218,16 +220,58 @@ var LinkMetadataParser = class {
return metaDescription; return metaDescription;
} }
getFavicon() { getFavicon() {
var _a; return __async(this, null, function* () {
const favicon = (_a = this.htmlDoc.querySelector("link[rel='icon']")) == null ? void 0 : _a.getAttr("href"); var _a;
if (favicon) const favicon = (_a = this.htmlDoc.querySelector("link[rel='icon']")) == null ? void 0 : _a.getAttr("href");
return favicon; if (favicon)
return yield this.fixImageUrl(favicon);
});
} }
getImage() { getImage() {
var _a; return __async(this, null, function* () {
const ogImage = (_a = this.htmlDoc.querySelector("meta[property='og:image']")) == null ? void 0 : _a.getAttr("content"); var _a;
if (ogImage) const ogImage = (_a = this.htmlDoc.querySelector("meta[property='og:image']")) == null ? void 0 : _a.getAttr("content");
return ogImage; if (ogImage)
return yield this.fixImageUrl(ogImage);
});
}
fixImageUrl(url) {
return __async(this, null, function* () {
if (url === void 0)
return "";
const { hostname } = new URL(this.url);
let image = url;
if (url && url.startsWith("//")) {
const testUrlHttps = `https:${url}`;
const testUrlHttp = `http:${url}`;
if (yield checkUrlAccessibility(testUrlHttps)) {
image = testUrlHttps;
} else if (yield checkUrlAccessibility(testUrlHttp)) {
image = testUrlHttp;
}
} else if (url && url.startsWith("/") && hostname) {
const testUrlHttps = `https://${hostname}${url}`;
const testUrlHttp = `http://${hostname}${url}`;
const resUrlHttps = yield checkUrlAccessibility(testUrlHttps);
const resUrlHttp = yield checkUrlAccessibility(testUrlHttp);
if (resUrlHttps) {
image = testUrlHttps;
} else if (resUrlHttp) {
image = testUrlHttp;
}
}
function checkUrlAccessibility(url2) {
return __async(this, null, function* () {
return new Promise((resolve) => {
const img = new Image();
img.onload = () => resolve(true);
img.onerror = () => resolve(false);
img.src = url2;
});
});
}
return image;
});
} }
}; };
@ -386,41 +430,38 @@ var CodeBlockProcessor = class {
titleEl.addClass("auto-card-link-title"); titleEl.addClass("auto-card-link-title");
titleEl.textContent = data.title; titleEl.textContent = data.title;
mainEl.appendChild(titleEl); mainEl.appendChild(titleEl);
const descriptionEl = document.createElement("div");
descriptionEl.addClass("auto-card-link-description");
if (data.description) { if (data.description) {
const descriptionEl = document.createElement("div");
descriptionEl.addClass("auto-card-link-description");
descriptionEl.textContent = data.description; descriptionEl.textContent = data.description;
mainEl.appendChild(descriptionEl);
} }
mainEl.appendChild(descriptionEl);
const hostEl = document.createElement("div"); const hostEl = document.createElement("div");
hostEl.addClass("auto-card-link-host"); hostEl.addClass("auto-card-link-host");
mainEl.appendChild(hostEl); mainEl.appendChild(hostEl);
if (data.favicon) { if (data.favicon) {
const faviconEl = document.createElement("img"); const faviconEl = document.createElement("img");
faviconEl.addClass("auto-card-link-favicon"); faviconEl.addClass("auto-card-link-favicon");
if (data.favicon) { faviconEl.setAttr("src", data.favicon);
faviconEl.setAttr("src", data.favicon);
}
faviconEl.setAttr("width", 14);
faviconEl.setAttr("height", 14);
faviconEl.setAttr("alt", "");
hostEl.appendChild(faviconEl); hostEl.appendChild(faviconEl);
} }
const hostNameEl = document.createElement("span");
if (data.host) { if (data.host) {
const hostNameEl = document.createElement("span");
hostNameEl.textContent = data.host; hostNameEl.textContent = data.host;
hostEl.appendChild(hostNameEl);
} }
hostEl.appendChild(hostNameEl);
const thumbnailEl = document.createElement("div");
thumbnailEl.addClass("auto-card-link-thumbnail");
cardEl.appendChild(thumbnailEl);
const thumbnailImgEl = document.createElement("img");
thumbnailImgEl.addClass("auto-card-link-thumbnail-img");
if (data.image) { if (data.image) {
thumbnailImgEl.setAttr("src", data.image); const thumbnailEl = document.createElement("img");
thumbnailEl.addClass("auto-card-link-thumbnail");
thumbnailEl.setAttr("src", data.image);
thumbnailEl.setAttr("draggable", "false");
cardEl.appendChild(thumbnailEl);
} }
thumbnailImgEl.setAttr("alt", ""); new import_obsidian3.ButtonComponent(containerEl).setClass("auto-card-link-copy-url").setClass("clickable-icon").setIcon("copy").setTooltip(`Copy URL
thumbnailEl.appendChild(thumbnailImgEl); ${data.url}`).onClick(() => {
navigator.clipboard.writeText(data.url);
new import_obsidian3.Notice("URL copied to your clipboard");
});
return containerEl; return containerEl;
} }
}; };

@ -1,7 +1,7 @@
{ {
"id": "auto-card-link", "id": "auto-card-link",
"name": "Auto Card Link", "name": "Auto Card Link",
"version": "1.1.2", "version": "1.2.1",
"minAppVersion": "0.12.0", "minAppVersion": "0.12.0",
"description": "Automatically fetches metadata from a url and makes it as a card-styled link", "description": "Automatically fetches metadata from a url and makes it as a card-styled link",
"author": "Nekoshita Yuki", "author": "Nekoshita Yuki",

@ -1,13 +1,13 @@
.auto-card-link-container { .markdown-reading-view .block-language-cardlink {
margin: 0 auto; margin: 1em 0;
border: solid 1px rgba(92, 147, 187, 0.2);
border-radius: 8px;
overflow: hidden;
font-family: -apple-system, system-ui, BlinkMacSystemFont, "Segoe UI",
"Helvetica Neue", Arial, sans-serif;
} }
.auto-card-link-container { .auto-card-link-container {
container-type: inline-size;
position: relative;
overflow: hidden;
user-select: none;
--auto-card-link-indent-size: 2.5em; --auto-card-link-indent-size: 2.5em;
&[data-auto-card-link-depth="0"] { &[data-auto-card-link-depth="0"] {
@ -36,81 +36,126 @@
} }
} }
@container (max-width: 300px) {
.auto-card-link-thumbnail {
display: none;
}
}
@container (max-width: 500px) {
.auto-card-link-description {
display: none;
}
.auto-card-link-thumbnail {
max-width: 40% !important;
}
.auto-card-link-title {
white-space: normal !important;
--lh: 1.5em;
line-height: var(--lh);
height: calc(var(--lh) * 3);
}
}
.auto-card-link-error-container { .auto-card-link-error-container {
max-width: 780px; max-width: 780px;
margin: 0 auto; margin: 1em auto;
border-radius: 8px; border-radius: 8px;
overflow: hidden; overflow: hidden;
font-family: -apple-system, system-ui, BlinkMacSystemFont, "Segoe UI", background-color: var(--background-modifier-error);
"Helvetica Neue", Arial, sans-serif;
background-color: rgb(255, 246, 228);
padding: 10px; padding: 10px;
font-family: var(--font-text);
&:hover {
background: var(--background-modifier-error-hover);
}
} }
.auto-card-link-card { .auto-card-link-card {
display: flex; display: flex;
align-items: center; flex-direction: row-reverse;
height: 120px; height: 8em;
line-height: 1.5; transition: 20ms ease-in 0s;
transition: 0.2s;
color: rgba(0, 0, 0, 0.82);
text-decoration: none;
background: #fff;
cursor: pointer; cursor: pointer;
text-decoration: none;
color: var(--link-external-color);
background: var(--background-primary-alt);
border: solid var(--border-width) var(--divider-color);
border-radius: var(--radius-s);
&:hover {
background: var(--background-modifier-hover);
border-color: var(--background-modifier-hover);
text-decoration: none;
}
} }
.auto-card-link-main { .auto-card-link-main {
flex: 1;
height: 100%;
padding: 0.25em 1.2em;
min-width: 0;
display: flex; display: flex;
flex-grow: 1;
flex-direction: column; flex-direction: column;
justify-content: space-around; justify-content: space-between;
gap: 0.18em;
padding: 0.5em 0.6em;
overflow: hidden;
text-align: left; /* necessary for ellipsis to work */
} }
.auto-card-link-title { .auto-card-link-title {
display: -webkit-box;
-webkit-box-orient: vertical;
-webkit-line-clamp: 2;
overflow: hidden; overflow: hidden;
word-break: break-word; white-space: nowrap;
margin: 0; text-overflow: ellipsis;
font-size: 1em !important;
user-select: none; &:hover {
color: var(--link-external-color-hover)
}
} }
.auto-card-link-description { .auto-card-link-description {
display: -webkit-box;
-webkit-box-orient: vertical;
-webkit-line-clamp: 2;
max-height: 4.65em;
overflow: hidden; overflow: hidden;
color: #77838c; --lh: 1.4em;
font-size: 0.8em !important; line-height: var(--lh);
height: calc(var(--lh) * 3);
color: var(--text-muted);
font-size: var(--font-smallest);
} }
.auto-card-link-host { .auto-card-link-host {
font-size: 0.78em !important; font-size: var(--font-smallest);
display: flex; display: flex;
flex-direction: row;
align-items: center; align-items: center;
text-overflow: ellipsis; text-overflow: ellipsis;
overflow: hidden; overflow: hidden;
white-space: nowrap; white-space: nowrap;
&:hover {
color: var(--link-external-color-hover)
}
} }
.auto-card-link-favicon { .auto-card-link-favicon {
margin-right: 8px; width: 16px;
flex-shrink: 0; height: 16px;
margin: 0 0.5em 0 0 !important;
} }
.auto-card-link-thumbnail { .auto-card-link-thumbnail {
height: 120px; border-radius: var(--radius-s) 0 0 var(--radius-s) !important;
max-width: 230px; height: 100%;
object-fit: cover;
max-width: 50% !important;
pointer-events: none;
} }
.auto-card-link-thumbnail-img { .auto-card-link-copy-url {
object-fit: cover; background: var(--background-primary-alt);
height: 100%; position: absolute;
flex-shrink: 0; right: 4px;
bottom: 4px;
z-index: 1;
.is-phone & {
width: var(--input-height);
}
} }

@ -19,7 +19,7 @@
"601d1cc7-a4f3-4f19-aa9f-3bddd7ab6b1d": { "601d1cc7-a4f3-4f19-aa9f-3bddd7ab6b1d": {
"locked": false, "locked": false,
"lockedDeviceName": "iPhone", "lockedDeviceName": "iPhone",
"lastRun": "2023-09-12T07:32:02+02:00" "lastRun": "2023-09-20T07:48:19+02:00"
} }
} }
} }

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{ {
"id": "dataview", "id": "dataview",
"name": "Dataview", "name": "Dataview",
"version": "0.5.56", "version": "0.5.58",
"minAppVersion": "0.13.11", "minAppVersion": "0.13.11",
"description": "Complex data views for the data-obsessed.", "description": "Complex data views for the data-obsessed.",
"author": "Michael Brenan <blacksmithgu@gmail.com>", "author": "Michael Brenan <blacksmithgu@gmail.com>",

@ -23,7 +23,7 @@
} }
.table-view-table > tbody > tr:hover { .table-view-table > tbody > tr:hover {
background-color: var(--text-selection) !important; background-color: var(--table-row-background-hover);
} }
.table-view-table > thead > tr > th { .table-view-table > thead > tr > th {

@ -4,14 +4,17 @@
"historyPriority": true, "historyPriority": true,
"historyLimit": 100, "historyLimit": 100,
"history": [ "history": [
":salt:",
":tv:",
":plate_with_cutlery:", ":plate_with_cutlery:",
":fork_and_knife:",
":racehorse:", ":racehorse:",
":rugby_football:", ":email:",
":telephone_receiver:",
":house:", ":house:",
":paintbrush:",
":soccer:", ":soccer:",
":tv:", ":fork_and_knife:",
":rugby_football:",
":paintbrush:",
":hiking_boot:", ":hiking_boot:",
":blue_car:", ":blue_car:",
":stadium:", ":stadium:",

@ -12,8 +12,8 @@
"checkpointList": [ "checkpointList": [
{ {
"path": "/", "path": "/",
"date": "2023-09-12", "date": "2023-09-20",
"size": 18048621 "size": 18321072
} }
], ],
"activityHistory": [ "activityHistory": [
@ -2454,7 +2454,39 @@
}, },
{ {
"date": "2023-09-12", "date": "2023-09-12",
"value": 1289 "value": 1606
},
{
"date": "2023-09-13",
"value": 1403
},
{
"date": "2023-09-14",
"value": 1739
},
{
"date": "2023-09-15",
"value": 2391
},
{
"date": "2023-09-16",
"value": 1330
},
{
"date": "2023-09-17",
"value": 260063
},
{
"date": "2023-09-18",
"value": 1620
},
{
"date": "2023-09-19",
"value": 2573
},
{
"date": "2023-09-20",
"value": 1367
} }
] ]
} }

@ -106,7 +106,7 @@
}, },
"syntaxHighlight": false, "syntaxHighlight": false,
"copyButton": true, "copyButton": true,
"version": "10.0.1", "version": "10.1.1",
"autoCollapse": false, "autoCollapse": false,
"defaultCollapseType": "open", "defaultCollapseType": "open",
"injectColor": true, "injectColor": true,

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{ {
"id": "obsidian-admonition", "id": "obsidian-admonition",
"name": "Admonition", "name": "Admonition",
"version": "10.0.1", "version": "10.1.1",
"minAppVersion": "1.1.0", "minAppVersion": "1.1.0",
"description": "Enhanced callouts for Obsidian.md", "description": "Enhanced callouts for Obsidian.md",
"author": "Jeremy Valentine", "author": "Jeremy Valentine",

@ -10325,7 +10325,7 @@
"links": 2 "links": 2
}, },
"01.07 Animals/2023-07-13 Health check.md": { "01.07 Animals/2023-07-13 Health check.md": {
"size": 1258, "size": 1404,
"tags": 3, "tags": 3,
"links": 3 "links": 3
}, },
@ -10442,7 +10442,7 @@
"00.03 News/Mythology and Misogyny at the Edge of the World.md": { "00.03 News/Mythology and Misogyny at the Edge of the World.md": {
"size": 45222, "size": 45222,
"tags": 4, "tags": 4,
"links": 1 "links": 2
}, },
"00.03 News/A Small-Town Paper Lands a Very Big Story.md": { "00.03 News/A Small-Town Paper Lands a Very Big Story.md": {
"size": 34246, "size": 34246,
@ -10672,7 +10672,7 @@
"00.03 News/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md": { "00.03 News/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md": {
"size": 50834, "size": 50834,
"tags": 4, "tags": 4,
"links": 1 "links": 2
}, },
"00.01 Admin/Calendars/2023-08-23.md": { "00.01 Admin/Calendars/2023-08-23.md": {
"size": 1412, "size": 1412,
@ -10752,7 +10752,7 @@
"00.03 News/Buried under the ice.md": { "00.03 News/Buried under the ice.md": {
"size": 34526, "size": 34526,
"tags": 4, "tags": 4,
"links": 1 "links": 2
}, },
"00.01 Admin/Calendars/2023-09-02.md": { "00.01 Admin/Calendars/2023-09-02.md": {
"size": 1412, "size": 1412,
@ -10827,15 +10827,115 @@
"00.01 Admin/Calendars/2023-09-12.md": { "00.01 Admin/Calendars/2023-09-12.md": {
"size": 1412, "size": 1412,
"tags": 0, "tags": 0,
"links": 8
},
"00.01 Admin/Calendars/2023-09-13.md": {
"size": 1412,
"tags": 0,
"links": 6
},
"00.01 Admin/Calendars/2023-09-14.md": {
"size": 1731,
"tags": 0,
"links": 5
},
"00.01 Admin/Calendars/2023-09-15.md": {
"size": 1412,
"tags": 0,
"links": 5
},
"00.01 Admin/Calendars/2023-09-16.md": {
"size": 1255,
"tags": 0,
"links": 5
},
"00.01 Admin/Calendars/2023-09-17.md": {
"size": 1412,
"tags": 0,
"links": 7
},
"00.01 Admin/Calendars/Events/2024-06-08 💍 Mariage Rémi & Séverine.md": {
"size": 280,
"tags": 0,
"links": 1
},
"00.03 News/Americas Surprising Partisan Divide on Life Expectancy.md": {
"size": 24555,
"tags": 2,
"links": 1
},
"00.03 News/Confessions of a McKinsey Whistleblower.md": {
"size": 31218,
"tags": 3,
"links": 1
},
"00.03 News/Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality.md": {
"size": 43060,
"tags": 2,
"links": 1
},
"00.03 News/Gisele Fettermans Had a Hell of a Year.md": {
"size": 15860,
"tags": 3,
"links": 1
},
"00.03 News/The Serial Killer Hiding in Plain Sight.md": {
"size": 28863,
"tags": 4,
"links": 1
},
"00.03 News/The maestro The man who built the biggest match-fixing ring in tennis.md": {
"size": 46201,
"tags": 3,
"links": 1
},
"00.03 News/The Source Years.md": {
"size": 19331,
"tags": 5,
"links": 1
},
"00.03 News/Can We Talk to Whales.md": {
"size": 50785,
"tags": 3,
"links": 1
},
"00.01 Admin/Calendars/2023-09-18.md": {
"size": 1412,
"tags": 0,
"links": 5
},
"00.01 Admin/Calendars/2023-09-19.md": {
"size": 1565,
"tags": 0,
"links": 9
},
"01.07 Animals/2023-09-19 Influenza vaccine.md": {
"size": 757,
"tags": 3,
"links": 2
},
"00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice (2-3).md": {
"size": 247,
"tags": 0,
"links": 2
},
"00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund (2-0).md": {
"size": 258,
"tags": 0,
"links": 2
},
"00.01 Admin/Calendars/2023-09-20.md": {
"size": 1255,
"tags": 0,
"links": 4 "links": 4
} }
}, },
"commitTypes": { "commitTypes": {
"/": { "/": {
"Refactor": 6112, "Refactor": 6125,
"Create": 1992, "Create": 2012,
"Link": 7859, "Link": 7904,
"Expand": 1751 "Expand": 1761
} }
}, },
"dailyCommits": { "dailyCommits": {
@ -10847,39 +10947,49 @@
"4": 17, "4": 17,
"5": 14, "5": 14,
"6": 69, "6": 69,
"7": 737, "7": 746,
"8": 965, "8": 972,
"9": 909, "9": 911,
"10": 627, "10": 628,
"11": 470, "11": 470,
"12": 6613, "12": 6614,
"13": 514, "13": 514,
"14": 458, "14": 460,
"15": 486, "15": 493,
"16": 610, "16": 614,
"17": 666, "17": 666,
"18": 843, "18": 843,
"19": 577, "19": 577,
"20": 562, "20": 567,
"21": 556, "21": 572,
"22": 521, "22": 555,
"23": 1254 "23": 1254
} }
}, },
"weeklyCommits": { "weeklyCommits": {
"/": { "/": {
"Mon": 2575, "Mon": 2579,
"Tue": 1451, "Tue": 1470,
"Wed": 7609, "Wed": 7619,
"Thu": 1023, "Thu": 1028,
"Fri": 1088, "Fri": 1095,
"Sat": 0, "Sat": 0,
"Sun": 3968 "Sun": 4011
} }
}, },
"recentCommits": { "recentCommits": {
"/": { "/": {
"Expanded": [ "Expanded": [
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-19.md\"> 2023-09-19 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund.md\"> 2023-09-19 ⚽️ PSG - Borussia Dortmund </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund.md\"> 2023-09-19 ⚽️ PSG - Borussia Dortmund </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-19 Influenza vaccine.md\"> 2023-09-19 Influenza vaccine </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2024-06-08 💍 Mariage Rémi & Séverine.md\"> 2024-06-08 💍 Mariage Rémi & Séverine </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice.md\"> 2023-09-15 ⚽️ PSG - OGC Nice </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice.md\"> 2023-09-15 ⚽️ PSG - OGC Nice </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-14.md\"> 2023-09-14 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-14.md\"> 2023-09-14 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-13 Health check.md\"> 2023-07-13 Health check </a>",
"<a class=\"internal-link\" href=\"01.01 Life Orga/@Finances.md\"> @Finances </a>", "<a class=\"internal-link\" href=\"01.01 Life Orga/@Finances.md\"> @Finances </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Household.md\"> Household </a>", "<a class=\"internal-link\" href=\"01.02 Home/Household.md\"> Household </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/@Sally.md\"> @Sally </a>", "<a class=\"internal-link\" href=\"01.07 Animals/@Sally.md\"> @Sally </a>",
@ -10920,19 +11030,29 @@
"<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Investments.md\"> Bookmarks - Investments </a>", "<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Investments.md\"> Bookmarks - Investments </a>",
"<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Social Media.md\"> Bookmarks - Social Media </a>", "<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Social Media.md\"> Bookmarks - Social Media </a>",
"<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Investments.md\"> Bookmarks - Investments </a>", "<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Investments.md\"> Bookmarks - Investments </a>",
"<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Admin & services.md\"> Bookmarks - Admin & services </a>", "<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Admin & services.md\"> Bookmarks - Admin & services </a>"
"<a class=\"internal-link\" href=\"01.03 Family/$Basville.md\"> $Basville </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/2023-07-23.md\"> 2023-07-23 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-13 Health check.md\"> 2023-07-13 Health check </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/2023-07-22 Check.md\"> 2023-07-22 Check </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/@Sally.md\"> @Sally </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Will's Deli.md\"> Will's Deli </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Bandes Dessinées.md\"> Bandes Dessinées </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Household.md\"> Household </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-06-20.md\"> 2023-06-20 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-06-09.md\"> 2023-06-09 </a>"
], ],
"Created": [ "Created": [
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-20.md\"> 2023-09-20 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund.md\"> 2023-09-19 ⚽️ PSG - Borussia Dortmund </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-19.md\"> 2023-09-19 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-18.md\"> 2023-09-18 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Can We Talk to Whales.md\"> Can We Talk to Whales </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The Source Years.md\"> The Source Years </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The maestro The man who built the biggest match-fixing ring in tennis.md\"> The maestro The man who built the biggest match-fixing ring in tennis </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The Serial Killer Hiding in Plain Sight.md\"> The Serial Killer Hiding in Plain Sight </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Gisele Fettermans Had a Hell of a Year.md\"> Gisele Fettermans Had a Hell of a Year </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality.md\"> Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Confessions of a McKinsey Whistleblower.md\"> Confessions of a McKinsey Whistleblower </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Americas Surprising Partisan Divide on Life Expectancy.md\"> Americas Surprising Partisan Divide on Life Expectancy </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2024-06-08 💍 Mariage Rémi & Séverine.md\"> 2024-06-08 💍 Mariage Rémi & Séverine </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-17.md\"> 2023-09-17 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-16.md\"> 2023-09-16 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice.md\"> 2023-09-15 ⚽️ PSG - OGC Nice </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-15.md\"> 2023-09-15 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-14.md\"> 2023-09-14 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-13.md\"> 2023-09-13 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-12.md\"> 2023-09-12 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-12.md\"> 2023-09-12 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-11.md\"> 2023-09-11 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-11.md\"> 2023-09-11 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-10.md\"> 2023-09-10 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-10.md\"> 2023-09-10 </a>",
@ -10963,29 +11083,20 @@
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-26.md\"> 2023-08-26 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-26.md\"> 2023-08-26 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-25.md\"> 2023-08-25 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-25.md\"> 2023-08-25 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-24.md\"> 2023-08-24 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-24.md\"> 2023-08-24 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The Hunger Games - Mockingjay - Part 2 (2015).md\"> The Hunger Games - Mockingjay - Part 2 (2015) </a>", "<a class=\"internal-link\" href=\"00.02 Inbox/The Hunger Games - Mockingjay - Part 2 (2015).md\"> The Hunger Games - Mockingjay - Part 2 (2015) </a>"
"<a class=\"internal-link\" href=\"00.02 Inbox/The Hunger Games - Mockingjay - Part 1 (2014).md\"> The Hunger Games - Mockingjay - Part 1 (2014) </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-23.md\"> 2023-08-23 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Narratively.md\"> Narratively </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md\"> Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/True Crime, True Faith The Serial Killer and the Texas Mom Who Stopped Him.md\"> True Crime, True Faith The Serial Killer and the Texas Mom Who Stopped Him </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/How Hip-Hop Conquered the World.md\"> How Hip-Hop Conquered the World </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Narratively.md\"> Narratively </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Riley Keough on Growing Up as Elviss Granddaughter, Losing Lisa Marie, and Inheriting Graceland.md\"> Riley Keough on Growing Up as Elviss Granddaughter, Losing Lisa Marie, and Inheriting Graceland </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-22.md\"> 2023-08-22 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-21.md\"> 2023-08-21 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-20.md\"> 2023-08-20 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-19.md\"> 2023-08-19 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-18.md\"> 2023-08-18 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-17.md\"> 2023-08-17 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-16.md\"> 2023-08-16 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-15.md\"> 2023-08-15 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-14.md\"> 2023-08-14 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/What Happened in Vegas David Hill.md\"> What Happened in Vegas David Hill </a>"
], ],
"Renamed": [ "Renamed": [
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund (2-0).md\"> 2023-09-19 ⚽️ PSG - Borussia Dortmund (2-0) </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice (2-3).md\"> 2023-09-15 ⚽️ PSG - OGC Nice (2-3) </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-19 Influenza vaccine.md\"> 2023-09-19 Influenza vaccine </a>",
"<a class=\"internal-link\" href=\"00.03 News/Can We Talk to Whales.md\"> Can We Talk to Whales </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Source Years.md\"> The Source Years </a>",
"<a class=\"internal-link\" href=\"00.03 News/The maestro The man who built the biggest match-fixing ring in tennis.md\"> The maestro The man who built the biggest match-fixing ring in tennis </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Serial Killer Hiding in Plain Sight.md\"> The Serial Killer Hiding in Plain Sight </a>",
"<a class=\"internal-link\" href=\"00.03 News/Gisele Fettermans Had a Hell of a Year.md\"> Gisele Fettermans Had a Hell of a Year </a>",
"<a class=\"internal-link\" href=\"00.03 News/Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality.md\"> Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality </a>",
"<a class=\"internal-link\" href=\"00.03 News/Confessions of a McKinsey Whistleblower.md\"> Confessions of a McKinsey Whistleblower </a>",
"<a class=\"internal-link\" href=\"00.03 News/Americas Surprising Partisan Divide on Life Expectancy.md\"> Americas Surprising Partisan Divide on Life Expectancy </a>",
"<a class=\"internal-link\" href=\"00.03 News/How Some Men Play Dungeons & Dragons on Texas Death Row.md\"> How Some Men Play Dungeons & Dragons on Texas Death Row </a>", "<a class=\"internal-link\" href=\"00.03 News/How Some Men Play Dungeons & Dragons on Texas Death Row.md\"> How Some Men Play Dungeons & Dragons on Texas Death Row </a>",
"<a class=\"internal-link\" href=\"00.03 News/How a Man in Prison Stole Millions from Billionaires.md\"> How a Man in Prison Stole Millions from Billionaires </a>", "<a class=\"internal-link\" href=\"00.03 News/How a Man in Prison Stole Millions from Billionaires.md\"> How a Man in Prison Stole Millions from Billionaires </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-02 First Tournament.md\"> 2023-09-02 First Tournament </a>", "<a class=\"internal-link\" href=\"01.07 Animals/2023-09-02 First Tournament.md\"> 2023-09-02 First Tournament </a>",
@ -11025,20 +11136,18 @@
"<a class=\"internal-link\" href=\"00.03 News/The Greatest Scam Ever Written.md\"> The Greatest Scam Ever Written </a>", "<a class=\"internal-link\" href=\"00.03 News/The Greatest Scam Ever Written.md\"> The Greatest Scam Ever Written </a>",
"<a class=\"internal-link\" href=\"02.03 Zürich/Sihlmatt.md\"> Sihlmatt </a>", "<a class=\"internal-link\" href=\"02.03 Zürich/Sihlmatt.md\"> Sihlmatt </a>",
"<a class=\"internal-link\" href=\"03.02 Travels/The Grey.md\"> The Grey </a>", "<a class=\"internal-link\" href=\"03.02 Travels/The Grey.md\"> The Grey </a>",
"<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Social Media.md\"> Bookmarks - Social Media </a>", "<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Social Media.md\"> Bookmarks - Social Media </a>"
"<a class=\"internal-link\" href=\"00.08 Bookmarks/Bookmarks - Investments.md\"> Bookmarks - Investments </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Cautionary Tale of J. Robert Oppenheimer.md\"> The Cautionary Tale of J. Robert Oppenheimer </a>",
"<a class=\"internal-link\" href=\"00.03 News/Stop trying to have the perfect vacation. Youre ruining everyone elses..md\"> Stop trying to have the perfect vacation. Youre ruining everyone elses. </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Global Sperm Count Decline Has Created Big Business.md\"> The Global Sperm Count Decline Has Created Big Business </a>",
"<a class=\"internal-link\" href=\"00.03 News/They lost their kids to Fortnite - Macleans.ca.md\"> They lost their kids to Fortnite - Macleans.ca </a>",
"<a class=\"internal-link\" href=\"00.03 News/How I Survived a Wedding in a Jungle That Tried to Eat Me Alive.md\"> How I Survived a Wedding in a Jungle That Tried to Eat Me Alive </a>",
"<a class=\"internal-link\" href=\"00.03 News/Country Musics Culture Wars and the Remaking of Nashville.md\"> Country Musics Culture Wars and the Remaking of Nashville </a>",
"<a class=\"internal-link\" href=\"00.03 News/America Has Never Seen a Spectacle Like Messi.md\"> America Has Never Seen a Spectacle Like Messi </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-07-23.md\"> 2023-07-23 </a>",
"<a class=\"internal-link\" href=\"00.03 News/Conservatives Have a New Master Theory of American Politics.md\"> Conservatives Have a New Master Theory of American Politics </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-13 Health check.md\"> 2023-07-13 Health check </a>"
], ],
"Tagged": [ "Tagged": [
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-19 Influenza vaccine.md\"> 2023-09-19 Influenza vaccine </a>",
"<a class=\"internal-link\" href=\"00.03 News/Can We Talk to Whales.md\"> Can We Talk to Whales </a>",
"<a class=\"internal-link\" href=\"00.03 News/The maestro The man who built the biggest match-fixing ring in tennis.md\"> The maestro The man who built the biggest match-fixing ring in tennis </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Source Years.md\"> The Source Years </a>",
"<a class=\"internal-link\" href=\"00.03 News/Gisele Fettermans Had a Hell of a Year.md\"> Gisele Fettermans Had a Hell of a Year </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Serial Killer Hiding in Plain Sight.md\"> The Serial Killer Hiding in Plain Sight </a>",
"<a class=\"internal-link\" href=\"00.03 News/Confessions of a McKinsey Whistleblower.md\"> Confessions of a McKinsey Whistleblower </a>",
"<a class=\"internal-link\" href=\"00.03 News/Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality.md\"> Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality </a>",
"<a class=\"internal-link\" href=\"00.03 News/Americas Surprising Partisan Divide on Life Expectancy.md\"> Americas Surprising Partisan Divide on Life Expectancy </a>",
"<a class=\"internal-link\" href=\"00.03 News/How Some Men Play Dungeons & Dragons on Texas Death Row.md\"> How Some Men Play Dungeons & Dragons on Texas Death Row </a>", "<a class=\"internal-link\" href=\"00.03 News/How Some Men Play Dungeons & Dragons on Texas Death Row.md\"> How Some Men Play Dungeons & Dragons on Texas Death Row </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/How Some Men Play Dungeons & Dragons on Texas Death Row.md\"> How Some Men Play Dungeons & Dragons on Texas Death Row </a>", "<a class=\"internal-link\" href=\"00.02 Inbox/How Some Men Play Dungeons & Dragons on Texas Death Row.md\"> How Some Men Play Dungeons & Dragons on Texas Death Row </a>",
"<a class=\"internal-link\" href=\"00.03 News/How a Man in Prison Stole Millions from Billionaires.md\"> How a Man in Prison Stole Millions from Billionaires </a>", "<a class=\"internal-link\" href=\"00.03 News/How a Man in Prison Stole Millions from Billionaires.md\"> How a Man in Prison Stole Millions from Billionaires </a>",
@ -11080,18 +11189,11 @@
"<a class=\"internal-link\" href=\"00.03 News/How I Survived a Wedding in a Jungle That Tried to Eat Me Alive.md\"> How I Survived a Wedding in a Jungle That Tried to Eat Me Alive </a>", "<a class=\"internal-link\" href=\"00.03 News/How I Survived a Wedding in a Jungle That Tried to Eat Me Alive.md\"> How I Survived a Wedding in a Jungle That Tried to Eat Me Alive </a>",
"<a class=\"internal-link\" href=\"00.03 News/They lost their kids to Fortnite - Macleans.ca.md\"> They lost their kids to Fortnite - Macleans.ca </a>", "<a class=\"internal-link\" href=\"00.03 News/They lost their kids to Fortnite - Macleans.ca.md\"> They lost their kids to Fortnite - Macleans.ca </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Country Musics Culture Wars and the Remaking of Nashville.md\"> Country Musics Culture Wars and the Remaking of Nashville </a>", "<a class=\"internal-link\" href=\"00.02 Inbox/Country Musics Culture Wars and the Remaking of Nashville.md\"> Country Musics Culture Wars and the Remaking of Nashville </a>",
"<a class=\"internal-link\" href=\"00.03 News/America Has Never Seen a Spectacle Like Messi.md\"> America Has Never Seen a Spectacle Like Messi </a>", "<a class=\"internal-link\" href=\"00.03 News/America Has Never Seen a Spectacle Like Messi.md\"> America Has Never Seen a Spectacle Like Messi </a>"
"<a class=\"internal-link\" href=\"00.03 News/Conservatives Have a New Master Theory of American Politics.md\"> Conservatives Have a New Master Theory of American Politics </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-13 Health check.md\"> 2023-07-13 Health check </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-22 Check.md\"> 2023-07-22 Check </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/2023-07-22 Check.md\"> 2023-07-22 Check </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Will's Deli.md\"> Will's Deli </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Bandes Dessinées.md\"> Bandes Dessinées </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Household.md\"> Household </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Fashion.md\"> Fashion </a>",
"<a class=\"internal-link\" href=\"01.02 Home/Real Estate.md\"> Real Estate </a>"
], ],
"Refactored": [ "Refactored": [
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-20.md\"> 2023-09-20 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-16.md\"> 2023-09-16 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-28.md\"> 2023-08-28 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-28.md\"> 2023-08-28 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-13.md\"> 2023-08-13 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-13.md\"> 2023-08-13 </a>",
"<a class=\"internal-link\" href=\"00.03 News/Stop trying to have the perfect vacation. Youre ruining everyone elses..md\"> Stop trying to have the perfect vacation. Youre ruining everyone elses. </a>", "<a class=\"internal-link\" href=\"00.03 News/Stop trying to have the perfect vacation. Youre ruining everyone elses..md\"> Stop trying to have the perfect vacation. Youre ruining everyone elses. </a>",
@ -11140,9 +11242,7 @@
"<a class=\"internal-link\" href=\"01.02 Home/Household.md\"> Household </a>", "<a class=\"internal-link\" href=\"01.02 Home/Household.md\"> Household </a>",
"<a class=\"internal-link\" href=\"04.01 lebv.org/@lebv.org Tasks.md\"> @lebv.org Tasks </a>", "<a class=\"internal-link\" href=\"04.01 lebv.org/@lebv.org Tasks.md\"> @lebv.org Tasks </a>",
"<a class=\"internal-link\" href=\"04.01 lebv.org/Hosting Tasks.md\"> Hosting Tasks </a>", "<a class=\"internal-link\" href=\"04.01 lebv.org/Hosting Tasks.md\"> Hosting Tasks </a>",
"<a class=\"internal-link\" href=\"06.02 Investments/@Investment Task master.md\"> @Investment Task master </a>", "<a class=\"internal-link\" href=\"06.02 Investments/@Investment Task master.md\"> @Investment Task master </a>"
"<a class=\"internal-link\" href=\"03.02 Travels/Madrid.md\"> Madrid </a>",
"<a class=\"internal-link\" href=\"03.02 Travels/Madrid.md\"> Madrid </a>"
], ],
"Deleted": [ "Deleted": [
"<a class=\"internal-link\" href=\"00.02 Inbox/Carlos Alcaraz Is Bringing the Thrill Back to Tennis.md\"> Carlos Alcaraz Is Bringing the Thrill Back to Tennis </a>", "<a class=\"internal-link\" href=\"00.02 Inbox/Carlos Alcaraz Is Bringing the Thrill Back to Tennis.md\"> Carlos Alcaraz Is Bringing the Thrill Back to Tennis </a>",
@ -11198,6 +11298,42 @@
"<a class=\"internal-link\" href=\"00.02 Inbox/Inside the Ontario years of Elon Musk, the world's most absurd billionaire.md\"> Inside the Ontario years of Elon Musk, the world's most absurd billionaire </a>" "<a class=\"internal-link\" href=\"00.02 Inbox/Inside the Ontario years of Elon Musk, the world's most absurd billionaire.md\"> Inside the Ontario years of Elon Musk, the world's most absurd billionaire </a>"
], ],
"Linked": [ "Linked": [
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-20.md\"> 2023-09-20 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-19.md\"> 2023-09-19 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund.md\"> 2023-09-19 ⚽️ PSG - Borussia Dortmund </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-19.md\"> 2023-09-19 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-19.md\"> 2023-09-19 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-19 Influenza vaccine.md\"> 2023-09-19 Influenza vaccine </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-19.md\"> 2023-09-19 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-18.md\"> 2023-09-18 </a>",
"<a class=\"internal-link\" href=\"00.03 News/Buried under the ice.md\"> Buried under the ice </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-18.md\"> 2023-09-18 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Can We Talk to Whales.md\"> Can We Talk to Whales </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Source Years.md\"> The Source Years </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The maestro The man who built the biggest match-fixing ring in tennis.md\"> The maestro The man who built the biggest match-fixing ring in tennis </a>",
"<a class=\"internal-link\" href=\"00.03 News/Gisele Fettermans Had a Hell of a Year.md\"> Gisele Fettermans Had a Hell of a Year </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Serial Killer Hiding in Plain Sight.md\"> The Serial Killer Hiding in Plain Sight </a>",
"<a class=\"internal-link\" href=\"00.03 News/Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality.md\"> Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Confessions of a McKinsey Whistleblower.md\"> Confessions of a McKinsey Whistleblower </a>",
"<a class=\"internal-link\" href=\"00.03 News/Americas Surprising Partisan Divide on Life Expectancy.md\"> Americas Surprising Partisan Divide on Life Expectancy </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2024-06-08 💍 Mariage Rémi & Séverine.md\"> 2024-06-08 💍 Mariage Rémi & Séverine </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-17.md\"> 2023-09-17 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-17.md\"> 2023-09-17 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-17.md\"> 2023-09-17 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-16.md\"> 2023-09-16 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-16.md\"> 2023-09-16 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice.md\"> 2023-09-15 ⚽️ PSG - OGC Nice </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-15.md\"> 2023-09-15 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-15.md\"> 2023-09-15 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-14.md\"> 2023-09-14 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-14.md\"> 2023-09-14 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-13.md\"> 2023-09-13 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-13.md\"> 2023-09-13 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-13.md\"> 2023-09-13 </a>",
"<a class=\"internal-link\" href=\"00.03 News/Mythology and Misogyny at the Edge of the World.md\"> Mythology and Misogyny at the Edge of the World </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-12.md\"> 2023-09-12 </a>",
"<a class=\"internal-link\" href=\"00.03 News/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md\"> Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-12.md\"> 2023-09-12 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-12.md\"> 2023-09-12 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-12.md\"> 2023-09-12 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-11.md\"> 2023-09-11 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-11.md\"> 2023-09-11 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-11.md\"> 2023-09-11 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-11.md\"> 2023-09-11 </a>",
@ -11212,43 +11348,7 @@
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-08.md\"> 2023-09-08 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-08.md\"> 2023-09-08 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-08 🏉 France - New Zealand.md\"> 2023-09-08 🏉 France - New Zealand </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/Events/2023-09-08 🏉 France - New Zealand.md\"> 2023-09-08 🏉 France - New Zealand </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-09.md\"> 2023-09-09 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-09.md\"> 2023-09-09 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-08.md\"> 2023-09-08 </a>", "<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-08.md\"> 2023-09-08 </a>"
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-08.md\"> 2023-09-08 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-06.md\"> 2023-09-06 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-07.md\"> 2023-09-07 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-06.md\"> 2023-09-06 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-06.md\"> 2023-09-06 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-05.md\"> 2023-09-05 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-04.md\"> 2023-09-04 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-03.md\"> 2023-09-03 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-02 First Tournament.md\"> 2023-09-02 First Tournament </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-02.md\"> 2023-09-02 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-03.md\"> 2023-09-03 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-02 First Tournament.md\"> 2023-09-02 First Tournament </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-02.md\"> 2023-09-02 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-09-02 First Tournament.md\"> 2023-09-02 First Tournament </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-02.md\"> 2023-09-02 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Buried under the ice.md\"> Buried under the ice </a>",
"<a class=\"internal-link\" href=\"00.03 News/Why Bill Watterson Vanished - The American Conservative.md\"> Why Bill Watterson Vanished - The American Conservative </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Inheritance Case That Could Unravel an Art Dynasty.md\"> The Inheritance Case That Could Unravel an Art Dynasty </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-09-01.md\"> 2023-09-01 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-31.md\"> 2023-08-31 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-31.md\"> 2023-08-31 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-30.md\"> 2023-08-30 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-29.md\"> 2023-08-29 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-28.md\"> 2023-08-28 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-08-27.md\"> 2023-08-27 </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-08-12 Front leg inflammation.md\"> 2023-08-12 Front leg inflammation </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-05-06 Stick & Ball.md\"> 2023-05-06 Stick & Ball </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-13 Health check.md\"> 2023-07-13 Health check </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-05-13 1st chukkas.md\"> 2023-05-13 1st chukkas </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-06-09 Riding off.md\"> 2023-06-09 Riding off </a>",
"<a class=\"internal-link\" href=\"01.07 Animals/2023-07-22 Check.md\"> 2023-07-22 Check </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-03-04.md\"> 2023-03-04 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-02-14.md\"> 2023-02-14 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-02-26.md\"> 2023-02-26 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-02-08.md\"> 2023-02-08 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2023-02-19.md\"> 2023-02-19 </a>"
], ],
"Removed Tags from": [ "Removed Tags from": [
"<a class=\"internal-link\" href=\"03.03 Food & Wine/Msakhan Fatteh.md\"> Msakhan Fatteh </a>", "<a class=\"internal-link\" href=\"03.03 Food & Wine/Msakhan Fatteh.md\"> Msakhan Fatteh </a>",

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{ {
"id": "obsidian-dice-roller", "id": "obsidian-dice-roller",
"name": "Dice Roller", "name": "Dice Roller",
"version": "9.4.0", "version": "9.4.1",
"minAppVersion": "0.12.15", "minAppVersion": "0.12.15",
"description": "Inline dice rolling for Obsidian.md", "description": "Inline dice rolling for Obsidian.md",
"author": "Jeremy Valentine", "author": "Jeremy Valentine",

@ -82,20 +82,20 @@
}, },
{ {
"title": ":hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%%", "title": ":hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%%",
"time": "2023-09-18", "time": "2024-01-18",
"rowNumber": 598 "rowNumber": 598
} }
], ],
"05.02 Networks/Server VPN.md": [ "05.02 Networks/Server VPN.md": [
{
"title": ":shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%%",
"time": "2023-09-18",
"rowNumber": 292
},
{ {
"title": ":shield: [[Server VPN]]: Backup server %%done_del%%", "title": ":shield: [[Server VPN]]: Backup server %%done_del%%",
"time": "2023-10-03", "time": "2023-10-03",
"rowNumber": 285 "rowNumber": 285
},
{
"title": ":shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%%",
"time": "2023-12-18",
"rowNumber": 292
} }
], ],
"04.01 lebv.org/Hosting Tasks.md": [ "04.01 lebv.org/Hosting Tasks.md": [
@ -341,13 +341,8 @@
"01.02 Home/Household.md": [ "01.02 Home/Household.md": [
{ {
"title": "🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%%", "title": "🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%%",
"time": "2023-09-18", "time": "2023-09-25",
"rowNumber": 110 "rowNumber": 111
},
{
"title": "♻ [[Household]]: *Cardboard* recycling collection %%done_del%%",
"time": "2023-09-19",
"rowNumber": 87
}, },
{ {
"title": "♻ [[Household]]: *Paper* recycling collection %%done_del%%", "title": "♻ [[Household]]: *Paper* recycling collection %%done_del%%",
@ -357,22 +352,27 @@
{ {
"title": "🛎️ :house: [[Household]]: Pay rent %%done_del%%", "title": "🛎️ :house: [[Household]]: Pay rent %%done_del%%",
"time": "2023-09-30", "time": "2023-09-30",
"rowNumber": 104 "rowNumber": 105
}, },
{ {
"title": ":bed: [[Household]] Change bedsheets %%done_del%%", "title": ":bed: [[Household]] Change bedsheets %%done_del%%",
"time": "2023-09-30", "time": "2023-09-30",
"rowNumber": 132 "rowNumber": 134
},
{
"title": "♻ [[Household]]: *Cardboard* recycling collection %%done_del%%",
"time": "2023-10-03",
"rowNumber": 87
}, },
{ {
"title": ":blue_car: [[Household]]: Change to Winter tyres %%done_del%%", "title": ":blue_car: [[Household]]: Change to Winter tyres %%done_del%%",
"time": "2023-10-15", "time": "2023-10-15",
"rowNumber": 150 "rowNumber": 152
}, },
{ {
"title": ":blue_car: [[Household]]: Change to Summer tyres %%done_del%%", "title": ":blue_car: [[Household]]: Change to Summer tyres %%done_del%%",
"time": "2024-04-15", "time": "2024-04-15",
"rowNumber": 149 "rowNumber": 151
} }
], ],
"01.03 Family/Pia Bousquié.md": [ "01.03 Family/Pia Bousquié.md": [
@ -455,13 +455,13 @@
"05.02 Networks/Configuring UFW.md": [ "05.02 Networks/Configuring UFW.md": [
{ {
"title": "🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%%", "title": "🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%%",
"time": "2023-09-16", "time": "2023-09-23",
"rowNumber": 239 "rowNumber": 239
}, },
{ {
"title": "🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%%", "title": "🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%%",
"time": "2023-09-16", "time": "2023-09-23",
"rowNumber": 274 "rowNumber": 275
} }
], ],
"01.03 Family/Amélie Solanet.md": [ "01.03 Family/Amélie Solanet.md": [
@ -727,7 +727,7 @@
"01.07 Animals/2023-07-13 Health check.md": [ "01.07 Animals/2023-07-13 Health check.md": [
{ {
"title": ":racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing", "title": ":racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing",
"time": "2023-09-12", "time": "2023-09-26",
"rowNumber": 53 "rowNumber": 53
} }
], ],
@ -737,6 +737,42 @@
"time": "2024-09-05", "time": "2024-09-05",
"rowNumber": 105 "rowNumber": 105
} }
],
"00.01 Admin/Calendars/2023-09-14.md": [
{
"title": "16:12 :house: [[@Life Admin|Admin]]: Buy shelves for the pantry",
"time": "2023-09-30",
"rowNumber": 103
},
{
"title": "16:13 :house: [[@Life Admin|Admin]]: Buy furnitures for the balcony",
"time": "2023-09-30",
"rowNumber": 104
},
{
"title": "16:14 :house: [[@Life Admin|Admin]]: Start checking website for opportunities to buy",
"time": "2023-09-30",
"rowNumber": 105
},
{
"title": "16:17 :house: [[@Life Admin|Admin]]: Buy lamps for the flat",
"time": "2023-09-25",
"rowNumber": 106
}
],
"00.01 Admin/Calendars/2023-09-15.md": [
{
"title": "14:11 :house: [[@Life Admin|Admin]]: Find a repair shop for toaster",
"time": "2023-09-30",
"rowNumber": 103
}
],
"00.01 Admin/Calendars/2023-09-17.md": [
{
"title": "21:48 :ring: [[@Life Admin|Admin]]: Reserver un hotel pour le [[2024-06-08 💍 Mariage Rémi & Séverine|Mariage de Rémi & Séverine]]",
"time": "2024-01-17",
"rowNumber": 103
}
] ]
}, },
"debug": false, "debug": false,

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{ {
"id": "obsidian-tasks-plugin", "id": "obsidian-tasks-plugin",
"name": "Tasks", "name": "Tasks",
"version": "4.6.1", "version": "4.7.0",
"minAppVersion": "1.1.1", "minAppVersion": "1.1.1",
"description": "Task management for Obsidian", "description": "Task management for Obsidian",
"author": "Martin Schenck and Clare Macrae", "author": "Martin Schenck and Clare Macrae",

@ -1,5 +1,6 @@
{ {
"pluginList": [ "pluginList": [
"Quorafind/Obsidian-Big-Calendar",
"KjellConnelly/obsidian-dev-tools", "KjellConnelly/obsidian-dev-tools",
"cdloh/obsidian-cron", "cdloh/obsidian-cron",
"willasm/obsidian-open-weather", "willasm/obsidian-open-weather",

@ -64,12 +64,12 @@
} }
}, },
{ {
"id": "6f345aaa1a4d9f07", "id": "2d9db1814950ef3b",
"type": "leaf", "type": "leaf",
"state": { "state": {
"type": "markdown", "type": "markdown",
"state": { "state": {
"file": "00.03 News/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md", "file": "00.01 Admin/Calendars/2023-09-20.md",
"mode": "preview", "mode": "preview",
"source": false "source": false
} }
@ -158,7 +158,7 @@
"state": { "state": {
"type": "backlink", "type": "backlink",
"state": { "state": {
"file": "00.03 News/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md", "file": "00.01 Admin/Calendars/2023-09-20.md",
"collapseAll": false, "collapseAll": false,
"extraContext": false, "extraContext": false,
"sortOrder": "alphabetical", "sortOrder": "alphabetical",
@ -175,7 +175,7 @@
"state": { "state": {
"type": "outgoing-link", "type": "outgoing-link",
"state": { "state": {
"file": "00.03 News/Who Murdered Apotex Pharma Billionaire Barry Sherman and Honey.md", "file": "00.01 Admin/Calendars/2023-09-20.md",
"linksCollapsed": false, "linksCollapsed": false,
"unlinkedCollapsed": false "unlinkedCollapsed": false
} }
@ -206,7 +206,7 @@
} }
}, },
{ {
"id": "a18973d27b82e186", "id": "59809fda1c12dabb",
"type": "leaf", "type": "leaf",
"state": { "state": {
"type": "DICE_ROLLER_VIEW", "type": "DICE_ROLLER_VIEW",
@ -238,44 +238,44 @@
"obsidian-read-it-later:ReadItLater: Save clipboard": false, "obsidian-read-it-later:ReadItLater: Save clipboard": false,
"obsidian-tts:Text to Speech": false, "obsidian-tts:Text to Speech": false,
"obsidian-gallery:Gallery": false, "obsidian-gallery:Gallery": false,
"obsidian-full-calendar:Open Full Calendar": false,
"obsidian-memos:Memos": false,
"meld-encrypt:New encrypted note": false, "meld-encrypt:New encrypted note": false,
"meld-encrypt:Convert to or from an Encrypted note": false, "meld-encrypt:Convert to or from an Encrypted note": false,
"obsidian-metatable:Metatable": false "obsidian-metatable:Metatable": false,
"obsidian-full-calendar:Open Full Calendar": false,
"obsidian-memos:Memos": false
} }
}, },
"active": "6f345aaa1a4d9f07", "active": "2d9db1814950ef3b",
"lastOpenFiles": [ "lastOpenFiles": [
"00.01 Admin/Calendars/2023-09-20.md",
"00.01 Admin/Calendars/2023-09-19.md",
"01.02 Home/@Main Dashboard.md", "01.02 Home/@Main Dashboard.md",
"00.01 Admin/Calendars/2023-09-12.md",
"00.01 Admin/Calendars/2023-09-11.md",
"03.03 Food & Wine/Beef Noodles with Beans.md",
"00.08 Bookmarks/Bookmarks - Work.md",
"01.07 Animals/@Sally.md",
"00.01 Admin/Pictures/Sally/IMG_3710.jpg",
"00.01 Admin/Pictures/Sally/IMG_3716.jpg",
"00.01 Admin/Pictures/Sally/IMG_3711.jpg",
"00.01 Admin/Calendars/2023-09-10.md",
"03.03 Food & Wine/Msakhan Fatteh.md",
"02.03 Zürich/@@Zürich.md",
"00.01 Admin/Calendars/2023-09-09.md",
"04.03 Creative snippets/Working note - Project 1.md",
"00.02 Inbox/Carlos Alcaraz Is Bringing the Thrill Back to Tennis.md",
"00.02 Inbox/Le Camp des Saints.md",
"00.03 News/How Some Men Play Dungeons & Dragons on Texas Death Row.md",
"00.03 News/How a Man in Prison Stole Millions from Billionaires.md",
"01.02 Home/@Shopping list.md", "01.02 Home/@Shopping list.md",
"03.03 Food & Wine/Matar Paneer.md", "00.01 Admin/Calendars/Events/2023-09-19 ⚽️ PSG - Borussia Dortmund (2-0).md",
"03.03 Food & Wine/Meatballs with Crispy Turmeric Chickpeas.md", "02.02 Paris/Paris SG.md",
"00.01 Admin/Calendars/2023-09-08.md", "00.01 Admin/Calendars/Events/2023-09-15 ⚽️ PSG - OGC Nice (2-3).md",
"00.01 Admin/Calendars/Events/2023-09-08 🏉 France - New Zealand.md",
"03.03 Food & Wine/Korean Barbecue-Style Meatballs.md",
"00.01 Admin/Calendars/2023-09-07.md",
"00.01 Admin/Calendars/2023-09-06.md",
"00.01 Admin/Calendars/2023-09-05.md", "00.01 Admin/Calendars/2023-09-05.md",
"00.01 Admin/Calendars/2023-09-04.md", "00.01 Admin/Calendars/2023-09-04.md",
"00.01 Admin/Calendars/2023-09-03.md", "00.01 Admin/Calendars/2023-09-03.md",
"00.01 Admin/Calendars/2023-09-02.md",
"01.07 Animals/2023-09-02 First Tournament.md",
"00.01 Admin/Calendars/2023-09-06.md",
"00.01 Admin/Calendars/2023-09-07.md",
"00.01 Admin/Calendars/2023-09-08.md",
"00.01 Admin/Calendars/2023-09-09.md",
"00.01 Admin/Calendars/2023-09-10.md",
"00.01 Admin/Calendars/2023-09-11.md",
"00.01 Admin/Calendars/2023-09-12.md",
"00.01 Admin/Calendars/2023-09-13.md",
"00.01 Admin/Calendars/2023-09-14.md",
"00.01 Admin/Calendars/2023-09-15.md",
"00.01 Admin/Calendars/2023-09-16.md",
"00.01 Admin/Calendars/2023-09-17.md",
"00.01 Admin/Calendars/2023-09-18.md",
"01.07 Animals/2023-09-19 Influenza vaccine.md",
"00.01 Admin/Pictures/Sally/IMG_3710.jpg",
"00.01 Admin/Pictures/Sally/IMG_3716.jpg",
"00.01 Admin/Pictures/Sally/IMG_3711.jpg",
"00.01 Admin/Pictures/Sally/IMG_3367.jpg", "00.01 Admin/Pictures/Sally/IMG_3367.jpg",
"00.01 Admin/Pictures/Sally/IMG_3149.jpg", "00.01 Admin/Pictures/Sally/IMG_3149.jpg",
"00.01 Admin/Pictures/Sally/IMG_3152.jpg", "00.01 Admin/Pictures/Sally/IMG_3152.jpg",

@ -116,6 +116,8 @@ This section does serve for quick memos.
🐎: [[2023-09-02 First Tournament|Vecinos Cup]] with [[@Sally|Sally]] at [[Polo Park Zürich|PPZ]] 🐎: [[2023-09-02 First Tournament|Vecinos Cup]] with [[@Sally|Sally]] at [[Polo Park Zürich|PPZ]]
🥈: Finalist
&emsp; &emsp;
--- ---

@ -16,13 +16,13 @@ Stress: 25
FrontHeadBar: 5 FrontHeadBar: 5
EarHeadBar: 20 EarHeadBar: 20
BackHeadBar: 30 BackHeadBar: 30
Water: Water: 4.75
Coffee: 1 Coffee: 3
Steps: Steps: 7918
Weight: 89.2 Weight: 88.5
Ski: Ski:
IceSkating: IceSkating:
Riding: Riding: 2
Racket: Racket:
Football: Football:
Swim: Swim:
@ -114,7 +114,11 @@ This section does serve for quick memos.
&emsp; &emsp;
Loret ipsum 🍴: [[Msakhan Fatteh]]
🐎: 2 chukkas with [[@Sally|Sally]] at [[Polo Park Zürich|PPZ]]
🍽: [[Korean Barbecue-Style Meatballs]]
&emsp; &emsp;

@ -0,0 +1,136 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-13
Date: 2023-09-13
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 7.5
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 3.5
Coffee: 4
Steps: 10867
Weight:
Ski:
IceSkating:
Riding:
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-12|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-14|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-13Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-13NSave
&emsp;
# 2023-09-13
&emsp;
> [!summary]+
> Daily note for 2023-09-13
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-13
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
🍴: [[Msakhan Fatteh]]
🍽: [[Beef Noodles with Beans]]
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-13]]
```
&emsp;
&emsp;

@ -0,0 +1,139 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-14
Date: 2023-09-14
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 8
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 2.5
Coffee: 4
Steps: 9259
Weight:
Ski:
IceSkating:
Riding:
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-13|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-15|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-14Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-14NSave
&emsp;
# 2023-09-14
&emsp;
> [!summary]+
> Daily note for 2023-09-14
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-14
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
- [ ] 16:12 :house: [[@Life Admin|Admin]]: Buy shelves for the pantry 📅2023-09-30 ^temkxw
- [ ] 16:13 :house: [[@Life Admin|Admin]]: Buy furnitures for the balcony 📅2023-09-30
- [ ] 16:14 :house: [[@Life Admin|Admin]]: Start checking website for opportunities to buy 📅2023-09-30
- [ ] 16:17 :house: [[@Life Admin|Admin]]: Buy lamps for the flat 📅2023-09-25
- [x] 16:25 :racehorse: [[@Sally|Sally]]: Print Health certificate 📅 2023-09-20 ✅ 2023-09-18
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
Loret ipsum
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-14]]
```
&emsp;
&emsp;

@ -0,0 +1,136 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-15
Date: 2023-09-15
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 7.5
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 3
Coffee: 4
Steps:
Weight:
Ski:
IceSkating:
Riding:
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-14|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-16|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-15Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-15NSave
&emsp;
# 2023-09-15
&emsp;
> [!summary]+
> Daily note for 2023-09-15
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-15
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
- [ ] 14:11 :house: [[@Life Admin|Admin]]: Find a repair shop for toaster 📅2023-09-30 ^bq4j6f
- [x] 14:13 :house: [[@Life Admin|Admin]]: Put the name plates into the mailbox 📅 2023-09-18 ✅ 2023-09-18
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
⚽: [[2023-09-15 ⚽️ PSG - OGC Nice (2-3)]]
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-15]]
```
&emsp;
&emsp;

@ -0,0 +1,134 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-16
Date: 2023-09-16
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 7.5
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 4.16
Coffee: 2
Steps: 11581
Weight:
Ski:
IceSkating:
Riding:
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-15|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-17|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-16Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-16NSave
&emsp;
# 2023-09-16
&emsp;
> [!summary]+
> Daily note for 2023-09-16
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-16
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
🍽: [[Big Shells With Spicy Lamb Sausage and Pistachios]]
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-16]]
```
&emsp;
&emsp;

@ -0,0 +1,135 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-17
Date: 2023-09-17
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 8
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 3.5
Coffee: 2
Steps: 6863
Weight:
Ski:
IceSkating:
Riding: 2
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-16|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-18|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-17Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-17NSave
&emsp;
# 2023-09-17
&emsp;
> [!summary]+
> Daily note for 2023-09-17
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-17
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
- [ ] 21:48 :ring: [[@Life Admin|Admin]]: Reserver un hotel pour le [[2024-06-08 💍 Mariage Rémi & Séverine|Mariage de Rémi & Séverine]] 📅2024-01-17
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
🐎: 2 chukkas con [[@Sally|Sally]] a [[Polo Park Zürich|PPZ]].
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-17]]
```
&emsp;
&emsp;

@ -0,0 +1,134 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-18
Date: 2023-09-18
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 7.5
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 3.83
Coffee: 3
Steps: 11493
Weight:
Ski:
IceSkating:
Riding:
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-17|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-19|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-18Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-18NSave
&emsp;
# 2023-09-18
&emsp;
> [!summary]+
> Daily note for 2023-09-18
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-18
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
🍽: [[Msakhan Fatteh]]
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-18]]
```
&emsp;
&emsp;

@ -0,0 +1,140 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-19
Date: 2023-09-19
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 8
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water: 5.66
Coffee: 3
Steps: 10954
Weight: 88.6
Ski:
IceSkating:
Riding: 2
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-18|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-20|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-19Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-19NSave
&emsp;
# 2023-09-19
&emsp;
> [!summary]+
> Daily note for 2023-09-19
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-19
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
🐎: [[@Sally|Sally]] has been [[2023-09-19 Influenza vaccine|vaccinated]] at [[Polo Park Zürich|PPZ]]
🐎: 2 chukkas with [[@Sally|Sally]] at [[Polo Park Zürich|PPZ]]
🍽: [[Spicy Szechuan Noodles with Garlic Chilli Oil]]
📺: [[2023-09-19 ⚽️ PSG - Borussia Dortmund (2-0)]]
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-19]]
```
&emsp;
&emsp;

@ -0,0 +1,134 @@
---
title: "🗒 Daily Note"
allDay: true
date: 2023-09-20
Date: 2023-09-20
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: true
Sleep: 7.5
Happiness: 85
Gratefulness: 90
Stress: 25
FrontHeadBar: 5
EarHeadBar: 20
BackHeadBar: 30
Water:
Coffee: 2
Steps:
Weight:
Ski:
IceSkating:
Riding:
Racket:
Football:
Swim:
---
%% Parent:: [[@Life Admin]] %%
---
[[2023-09-19|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2023-09-21|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2023-09-20Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-20NSave
&emsp;
# 2023-09-20
&emsp;
> [!summary]+
> Daily note for 2023-09-20
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### ✅ Tasks of the day
&emsp;
```tasks
not done
due on 2023-09-20
path does not include Templates
hide backlinks
hide task count
```
&emsp;
---
&emsp;
### 📝 Memos
&emsp;
This section does serve for quick memos.
&emsp;
%% --- %%
&emsp;
---
&emsp;
### 🗒 Notes
&emsp;
Loret ipsum
&emsp;
---
&emsp;
### :link: Linked activity
&emsp;
```dataview
Table from [[2023-09-20]]
```
&emsp;
&emsp;

@ -0,0 +1,14 @@
---
title: ⚽️ PSG - OGC Nice (2-3)
allDay: false
startTime: 21:00
endTime: 23:00
date: 2023-09-15
completed: null
CollapseMetaTable: true
---
[[2023-09-15|Ce jour]], [[Paris SG]] - OGC Nice: 2-3
Buteurs:: ⚽️⚽️ MBappé<br>⚽️⚽️⚽ Moffi (OGCN)

@ -0,0 +1,14 @@
---
title: ⚽️ PSG - Borussia Dortmund (2-0)
allDay: false
startTime: 21:00
endTime: 23:00
date: 2023-09-19
completed: null
CollapseMetaTable: true
---
[[2023-09-19|Ce jour]], [[Paris SG]] - Borussia Dortmund: 2-0
Buteurs:: ⚽️ MBappé<br>⚽️ Hakimi

@ -0,0 +1,22 @@
---
title: 💍 Mariage Rémi & Séverine
allDay: true
date: 2024-06-08
completed: null
CollapseMetaTable: true
---
[[2024-06-08|Ce jour]], mariage de Rémi & Séverine
Contacts:
🏠
1C Carmalt Gardens
Londres SW15 6NE
📞
06 98 11 94 17
📧
severine.remi.2024@gmail.com

@ -0,0 +1,111 @@
---
Tag: ["🫀", "🇺🇸"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.politico.com/news/magazine/2023/09/01/america-life-expectancy-regions-00113369
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-AmericaPartisanDivideonLifeExpectancyNSave
&emsp;
# Americas Surprising Partisan Divide on Life Expectancy
POLITICO illustration/Photos by iStock
*Colin Woodard is a POLITICO Magazine contributing writer and director of the* [*Nationhood Lab*](http://www.nationhoodlab.org/) *at Salve Regina Universitys Pell Center for International Relations and Public Policy. He is the author of six books including* American Nations: A History of the Eleven Rival Regional Cultures of North America*.*
Where you live in America can have a major effect on how young you die.
On paper, Lexington County, S.C., and Placer County, Calif., have a lot in common. Theyre both big, wealthy, suburban counties with white supermajorities that border on their respective states capital cities. They both were at the vanguard of their states 20th century Republican advances — Lexington in the 1960s when it pivoted from the racist Dixiecrats; Placer with the Reagan Revolution in 1980 — and twice voted for Donald Trump by wide margins. But when it comes to how long their residents can count on living, the parallels fall apart. Placer has a Scandinavia-like life expectancy of 82.3 years. In Lexington, the figure is 77.7, a little worse than Chinas.
Or take Maines far-flung Washington County, the poorest in New England where the per capita income is $27,437. The county is a hardscrabble swath of blueberry fields, forestland and fishing ports that was ravaged by the opioid epidemic and is almost completely white. It has one of the worst life expectancies in the entire Northeast: 75.5 years. But thats more than six years better than the equally remote, forested, impoverished, white and drug-battered Perry County of eastern Kentucky.
The truth of life expectancy in America is that places with comparable profiles — similar advantages and similar problems — have widely different average life outcomes depending on what part of the country they belong to.
Step back and look at a map of life expectancy across the country and the geographic patterns are as dramatic as they are obvious. If you live pretty much anywhere in the contiguous U.S., you can expect to live more than 78 years, unless youre in the Deep South or the sprawling region I call Greater Appalachia, a region that stretches from southwestern Pennsylvania to the Ozarks and the Hill Country of Texas. Those two regions — which include all or parts of 16 deep red states and a majority of the House Republican caucus — have a life expectancy of 77, more than four and a half years lower than on the blue-leaning Pacific coastal plain. In the smaller, redder regional culture of New France (in southern Louisiana) the gap is just short of six years. So large are the regional gaps that the poorest set of counties in predominantly blue Yankee Northeast actually have higher life expectancies than the wealthiest ones in the Deep South. At a population level, a difference of five years is like the gap separating the U.S. from decidedly unwealthy Mongolia, Belarus or Libya, and six years gets you to impoverished El Salvador and Egypt.
Its as if we are living in different countries. Because in a very real historical and political sense, we are.
The geography of U.S. life expectancy — and the policy environments that determine it — is the result of differences that are regional, cultural and political, with roots going back centuries to the people who arrived on the continent with totally different ideas about equality, the proper role of government, and the correct balance point between individual liberty and the common good. Once you understand how the country was colonized — and by whom — a number of insights into Americans overall health and longevity are revealed, along with some paths to improve the situation.
As I discussed [in a widely read article on gun violence earlier this year](https://www.politico.com/news/magazine/2023/04/23/surprising-geography-of-gun-violence-00092413), when it comes to defining U.S. regions you need to forget the Census Bureaus divisions, which arbitrarily divide the country into a Northeast, Midwest, South and West, using often meaningless state boundaries and a depressing ignorance of history. The reason the U.S. has strong regional differences is precisely because our swath of the North American continent was settled in the 17th and 18th centuries by rival colonial projects that had very little in common, often despised one another and spread without regard for todays state (or even international) boundaries.
Those colonial projects — Puritan-controlled New England; the Dutch-settled area around what is now New York City; the Quaker-founded Delaware Valley; the Scots-Irish-dominated upland backcountry of the Appalachians; the West Indies-style slave society in the Deep South; the Spanish project in the southwest and so on — had different religious, economic and ideological characteristics. They settled much of the eastern half and southwestern third of what is now the U.S. in mutually exclusive settlement bands before significant third party in-migration picked up steam in the 1840s. In the process — as I unpacked in my 2011 book [*American Nations: A History of the Eleven Rival Regional Cultures of North America*](https://colinwoodard.com/books/american-nations/) — they laid down the institutions, cultural norms and ideas about freedom, social responsibility and the provision of public goods that later arrivals would encounter and, by and large, assimilate into. Some states lie entirely or almost entirely within one of these regional cultures (Mississippi, Vermont, Minnesota and Montana, for instance). Other states are split between the regions, propelling constant and profound internal disagreements on politics and policy alike in places like Pennsylvania, Ohio, Illinois, California and Oregon.
At [Nationhood Lab](http://www.nationhoodlab.org/), a project I founded at Salve Regina Universitys Pell Center for International Relations and Public Policy, we use [this regional framework](https://www.nationhoodlab.org/a-balkanized-federation/) to analyze all manner of phenomena in American society and how one might go about responding to them. Weve looked at everything from [gun violence](https://www.nationhoodlab.org/the-geography-of-u-s-gun-violence/) and [attitudes toward threats to democracy](https://www.nationhoodlab.org/regional-differences-in-perceptions-of-the-threats-to-u-s-democracy/) to [Covid-19 vaccination rates](https://www.nationhoodlab.org/the-american-nations-and-the-geography-of-covid-19-vaccinations/), [rural vs. urban political behavior](https://www.nationhoodlab.org/no-the-divide-in-american-politics-is-not-rural-vs-urban-and-heres-the-data-to-prove-it/) and [the geography of the 2022 midterm elections](https://www.nationhoodlab.org/the-2022-midterms-and-the-american-nations-regional-differences-trump-rural-urban-divide-most-everywhere-with-a-couple-of-important-exceptions/). This summer weve been drilling down on health, [including a detailed examination of the geography of life expectancy published earlier this week](https://www.nationhoodlab.org/the-regional-geography-of-u-s-life-expectancy/). Working with our [data partners Motivf](https://www.motivf.com/), we parsed the rich trove of county-level life expectancy estimates calculated from the Centers for Disease Control data for the years 2017-2020 by the University of Wisconsin Population Health Institutes [County Health Ranking and Roadmaps](https://www.countyhealthrankings.org/) project. We wanted to answer the bottom-line question: Is your region helping extend your life or shorten it?
The [results show](https://www.nationhoodlab.org/the-regional-geography-of-u-s-life-expectancy/) enormous gaps between the regions that dont go away when you parse by race, income, education, urbanization or access to quality medical care. They amount to a rebuke to generations of elected officials in the Deep South, Greater Appalachia and New France — most of whom have been Republican in recent decades — who have resisted investing tax dollars in public goods and health programs.
“We dont have these differences in health outcomes because of individual behaviors, its related to the policy environments people are living in,” says Jeanne Ayers, who was Wisconsins top public health official during the Covid pandemic and is now executive director of [Healthy Democracy Healthy People, a collaboration of 11 national public health agencies](https://www.healthydemocracyhealthypeople.org/about/) probing the links between political participation and health. “Your health is only 10 percent influenced by the medical environment and maybe 20 or 30 percent in behavioral choices. The social and political determinants of health are overwhelmingly what youre seeing in these maps.”
I shared these maps with cardiologist Donald Lloyd-Jones, a past president of the American Heart Association who chairs the preventive medicine department at Northwestern University in Chicago, who said they didnt surprise him at all. “Theres a reason why the Southeastern portion of this country is called the Stroke Belt: Its because the rates of stroke per capita are substantially higher there and mirrored by rates of cardiovascular disease, diabetes, obesity and other risk factors.”
“The places on [your map](https://www.nationhoodlab.org/the-regional-geography-of-u-s-life-expectancy/) where you see orange and red have structural and systemic issues that limit peoples ability to have socioeconomic opportunity, access health care, or achieve maximum levels of education,” Lloyd-Jones added. “All of these policies affect your health and these disparities in longevity absolutely reflect social and structural and historical policies in those regions.”
**At Nationhood Lab** we wondered if all of this is might just be a reflection of wealth. Some [American regions](https://www.nationhoodlab.org/a-balkanized-federation/) have always had higher standards of living than others because their cultures prioritize the common good over individual liberty, social equality over economic freedom and quality services more than low taxes. The Deep South was founded by English slave lords from Barbados who didnt care about shared prosperity; The Puritan founders of Yankeedom — who thought God had chosen them to create a more perfect society — very much did, and it made the average person materially a lot better off, both then and now. Maybe the differences between the regions would go away if you compared just rich counties to one another or just the poor ones?
Nope.
We used the prevalence of child poverty as our metric and compared the life expectancy of the least impoverished quartile of U.S. counties — the “richest” ones, in other words — across the regions. As you see in the graphic below, the gaps persisted: 4.6 years between the *rich* counties in the Left Coast and Deep South, for instance. And they got wider from there when we compared the counties with the highest percentage of children living in poverty: a staggering 6.7 years between those same two regions. Further, the life expectancy gaps between rich and poor counties *within* each of these regions varied: It was more than twice as wide in Greater Appalachia (3.4 years) and the Deep South (4.3 years) as in Yankeedom (1.7 years.) We saw similar patterns when we repeated the exercise using education levels. When it comes to life and death, some regions are less equal than others.
The same went for relative access to quality clinical care. CHRR assigns every U.S. county a ranking for this based on a combination of 10 factors, including the number of doctors, dentists, mental health professionals, mammography screens, flu vaccinations and uninsured people per capita, as well as how often Medicare enrollees wind up admitted to hospitals with conditions that should be able to be treated on an outpatient basis, an indication the latter services werent available. We compared those counties in the top quartiles of this ranking system to one another across the regions and found the gap between them not only persisted, it actually widened, with the Deep South falling about two and half years behind Yankeedom, El Norte and the Far West, 4.4 years behind New Netherland and 5.1 behind Left Coast.
We repeated the experiment using counties that fell in the worst quartile for clinical care and saw the gap grow even wider, with Greater Appalachian (74.6) and Deep Southern (74.7) life expectancy in those communities lagging Yankeedom by about 3 years and New Netherland by about five and a half. That there are fewer counties where most people can afford and access top-notch clinical care in these southern regions than the northern and Pacific coast ones isnt really a surprise: laissez-faire political leaders tend to create systems that have looser health insurance regulations, leaner Medicaid programs and fewer public and non-profit hospitals. That those that do manage to have decent services nonetheless underperform suggests reversing these gaps wont be easy.
Turns out even the “haves” are not doing better in the “laissez-faire” regions. One of the most arresting facts that emerged from our analysis was that the most impoverished quartile of U.S. counties in Yankeedom (ones where around 30 to 60 percent of children live in poverty) have a *higher* life expectancy than the least impoverished quartile of U.S. counties (where child poverty ranges from 3 to 15 percent) in the Deep South by 0.3 years. Those are both big regions (circa 50 million people each) with a wide mix of counties: rural, urban, rich, poor, blue-collar and white-collar, agricultural and industrial. If you compare the poorest category of counties in (completely urbanized) New Netherland to the richest ones in Deep South, the former has a 0.4-year advantage in life expectancy. And people in the Left Coasts poorest quartile of counties live 2.4 years longer than those in the richest quartile counties in the Deep South.
I asked CHRRs co-director, Marjory Givens, for her reaction to the gaps. “This is logical considering the overall values and variation in health and opportunity of Yankeedom are more favorable than the Deep South or Greater Appalachia,” she said. “There are regions of the country with structural barriers to health, where types of long-standing discrimination and disinvestment have occurred through policies and practices applied and reinforced by people with more power. … Counties in these regions have fewer social and economic opportunities today.”
One example: [States that have expanded Medicaid eligibility](https://www.cbpp.org/research/health/medicaid-expansion-has-saved-at-least-19000-lives-new-research-finds#:~:text=The%20lifesaving%20impacts%20of%20Medicaid,for%20older%20adults%20gaining%20coverage.) have seen significant reductions in premature deaths while those that have not have seen increases. At this writing, 11 states still havent expanded the state-implemented program even though almost the entire burden of doing so comes from the federal government. All but two of those states are controlled by the Deep South and Greater Appalachia. Just one — Wisconsin — is in Yankeedom, and its Democratic governor has been trying to expand it through a ([vigorously gerrymandered](https://www.brennancenter.org/our-work/analysis-opinion/gerrymandering-loses-big)) Republican legislature. Expansion was a no-brainer for Republican administrations in Michigan, Ohio, New Jersey, New Hampshire and Vermont, but a bridge too far for their colleagues further south.
Or take New Netherland, the Dutch-settled area around whats now New York City. Despite its density, diversity and income inequalities — and contrary to [the “urban hell-hole” rhetoric of the extreme right](https://www.foxnews.com/opinion/greg-gutfeld-our-cities-turning-into-hellholes) — its one of the healthiest places to live in the U.S., with an overall life expectancy of 80.9 years. “You can have policies that can meaningfully change life expectancy: reduce drug overdoses, expand Medicaid, adopt gun control, protect abortion and maternal health,” says data scientist Jeremy Ney, author of the [American Inequality](https://americaninequality.substack.com/) data project. “That New Netherland region ticks the box on all five of those.”
Before you ask, yes, we also compared just rural and just urban counties across the [American Nations model](https://www.nationhoodlab.org/a-balkanized-federation/)s regions and the gaps persisted. As expected, life expectancy is better in urban places in all the regions, but the gap between urban and rural counties almost disappeared in Yankeedom — where even the smallest municipalities often have powers comparable to those of counties in other regions — and the Far West. The latter was a bit surprising given the vast open spaces typical of that region, which fosters the social isolation that has contributed to the regions frighteningly high suicide rates.
And, given that Black Americans have a nearly four-year disadvantage in life expectancy compared to whites, we looked at racial disparities across the regions. Echoing what we saw between rich and poor counties, there are big gaps in whites-only life expectancy across the regions, with whites in Greater Appalachia dying 3.6 years sooner than whites in Left Coast and 4.4 years sooner than those in New Netherland. In the Deep South, the region with the distinction of having had the continents most repressive formal slave and racial caste systems, the gap with the three aforementioned regions was almost identical — just a tenth of a year better than Greater Appalachia. Three centuries of formal white supremacy hasnt served whites very well.
Five years ago, University of Cincinnati sociologist Jennifer Malat and two colleagues [probed a related question](https://pubmed.ncbi.nlm.nih.gov/28716453/): Given the legacy of white privilege in American society, why do white people have lower life expectancy than their counterparts in Canada and Western Europe, as well as per capita suicide and psychiatric disorder rates far higher than their Black, Asian or Latino peers? Their conclusion: “Whiteness encourages whites to reject policies designed to help the poor and reduce inequality because of animosity toward people of color as well as being unaware that the poor include a great many white people.” Other wealthy countries, they noted, produce poverty rates similar or greater than ours, but they have stronger welfare systems that buffer much of the population from the health problems that often flow from poverty. Whatever the reason, our data definitely show a relationship between social spending and health outcomes for white people across regions.
That said, African Americans actually fare a bit better, relatively speaking, in Greater Appalachia (where their life expectancy is 74.2) than in many other regions, including the Deep South (where its 73.6) and even the Far West (74.1) and Yankeedom (73.6). But starkest is that the Midlands — home to cities such as Baltimore, Philadelphia and St. Louis with some of the worst racial disparities in the country — becomes the least healthy region for Black people, with life expectancy falling to just 73 years, which is lower than the overall 2020 figure for Peru. By contrast, the super-densely populated New York City region (New Netherland) remains one of the best for Black longevity, at 76.9 years, 3.9 years higher. The bottom line is that Black/white health disparities are real and enormous, but they dont really explain the big gaps between U.S. regions.
Analyzing Hispanic life expectancy provides some fresh twists. Hispanics actually have much higher life expectancy than whites in the U.S. Researchers call this the “Hispanic Paradox” because it confounds the usual associations between socioeconomic status and life expectancy, and theyve spent considerable time trying to understand why without reaching a solid consensus. It has been established — by demographers [Alberto Palloni and Elizabeth Arias](https://pubmed.ncbi.nlm.nih.gov/15461007/) — that Cuban and Puerto Rican Americans dont have better life expectancy than whites, but Mexican-Americans do.
I share this background because, curiously, we found that Hispanic life expectancy is relatively poor in El Norte (80.7 years) and the Far West (81.1), the two regions where people of Mexican descent presumably form a supermajority of the “Hispanic” population. New Netherland — home to the largest concentration of Puerto Ricans on Earth, including San Juan — isnt that great either, at 82.7. Surprisingly, southern regions do really well, with Tidewater and New France hitting the upper 80s to top the list, though you might want to take the latter finding with a grain of salt as the number of Hispanics there is pretty small.
Keith Gennuso of the University of Wisconsins Population Health Institute says the reason Hispanic life expectancy is worse in El Norte is likely linked to centuries of discrimination. “Unjust housing policies and forced land dispossessions, immigration enforcement, racial profiling, taxation laws and historical trauma, among numerous other issues, all act as barriers to equal health opportunities for these populations at the border, with known impacts across generations,” he noted. Other researchers have found the mortality advantage is greatest among Mexicans in communities where they are more insulated from less healthy U.S. dietary and lifestyle choices than those of Mexican descent who have been in the U.S. for decades or centuries.
Regional differences persist in other measures of health outcomes that contribute to mortality. With public health researchers at the University of Illinois-Chicago and the University of Minnesota, we looked at several of them and [published our conclusions](https://www.nationhoodlab.org/the-regional-geography-of-unhealthy-living-characteristics/) in [academic journals](https://pubmed.ncbi.nlm.nih.gov/37419166/). Obesity, diabetes and physical inactivity all followed the same general regional pattern, with the bad outcomes concentrated in the Deep South, Greater Appalachia, New France and First Nation at the bottom of the list for all three (and El Norte for diabetes.)
“Its no big surprise when you look at county-level data that the southern regions have higher prevalence of these things, but never has the relationship been so clean as with the American Nations settlement maps,” says lead author Ross Arena, a physiologist at the University of Illinois-Chicago who studies the health effects of exercise.
“The gaps you see in life expectancy are just the tip of the iceberg because our health system is really good at keeping unhealthy people alive through medications and surgeries. The regional gap in peoples health span — how many years of your life are you living with a high quality of life with independence and functionality — is probably even greater because it lines up with smoking, access to healthy foods and these other factors.”
So how to improve the situation? Lloyd-Jones, the preventive medicine expert at Northwestern University, says its all about the policy environment people live in.
“If you just want to move the needle on longevity in the short term, aggressive tobacco control and taxation policies are about the quickest way you can do that,” he says. “But for the long term we really have to launch our children into healthier trajectories by giving them great educational and socioeconomic opportunities and access to clean air and water and healthy foods.”
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -12,7 +12,7 @@ CollapseMetaTable: true
--- ---
Parent:: [[@News|News]] Parent:: [[@News|News]]
Read:: 🟥 Read:: [[2023-09-18]]
--- ---

@ -0,0 +1,334 @@
---
Tag: ["🏕️", "🐋", "🗣️"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.newyorker.com/magazine/2023/09/11/can-we-talk-to-whales
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-CanWeTalktoWhalesNSave
&emsp;
# Can We Talk to Whales?
> Ah, the world! Oh, the world!
>
> *—“Moby-Dick.”*
David Gruber began his almost impossibly varied career studying bluestriped grunt fish off the coast of Belize. He was an undergraduate, and his job was to track the fish at night. He navigated by the stars and slept in a tent on the beach. “It was a dream,” he recalled recently. “I didnt know what I was doing, but I was performing what I thought a marine biologist would do.”
Gruber went on to work in Guyana, mapping forest plots, and in Florida, calculating how much water it would take to restore the Everglades. He wrote a Ph.D. thesis on carbon cycling in the oceans and became a professor of biology at the City University of New York. Along the way, he got interested in green fluorescent proteins, which are naturally synthesized by jellyfish but, with a little gene editing, can be produced by almost any living thing, including humans.
While working in the Solomon Islands, northeast of Australia, Gruber discovered dozens of species of fluorescent fish, including a fluorescent shark, which opened up new questions. What would a fluorescent shark look like to another fluorescent shark? Gruber enlisted researchers in optics to help him construct a special “sharks eye” camera. (Sharks see only in blue and green; fluorescence, it turns out, shows up to them as greater contrast.) Meanwhile, he was also studying creatures known as comb jellies at the Mystic Aquarium, in Connecticut, trying to determine how, exactly, they manufacture the molecules that make them glow. This led him to wonder about the way that jellyfish experience the world. Gruber enlisted another set of collaborators to develop robots that could handle jellyfish with jellyfish-like delicacy.
“I wanted to know: Is there a way where robots and people can be brought together that builds empathy?” he told me.
In 2017, Gruber received a fellowship to spend a year at the Radcliffe Institute for Advanced Study, in Cambridge, Massachusetts. While there, he came across a book by a free diver who had taken a plunge with some sperm whales. This piqued Grubers curiosity, so he started reading up on the animals.
The worlds largest predators, sperm whales spend most of their lives hunting. To find their prey—generally squid—in the darkness of the depths, they rely on echolocation. By means of a specialized organ in their heads, they generate streams of clicks that bounce off any solid (or semi-solid) object. Sperm whales also produce quick bursts of clicks, known as codas, which they exchange with one another. The exchanges seem to have the structure of conversation.
One day, Gruber was sitting in his office at the Radcliffe Institute, listening to a tape of sperm whales chatting, when another fellow at the institute, Shafi Goldwasser, happened by. Goldwasser, a Turing Award-winning computer scientist, was intrigued. At the time, she was organizing a seminar on machine learning, which was advancing in ways that would eventually lead to ChatGPT. Perhaps, Goldwasser mused, machine learning could be used to discover the meaning of the whales exchanges.
“It was not exactly a joke, but almost like a pipe dream,” Goldwasser recollected. “But David really got into it.”
Gruber and Goldwasser took the idea of decoding the codas to a third Radcliffe fellow, Michael Bronstein. Bronstein, also a computer scientist, is now the DeepMind Professor of A.I. at Oxford.
“This sounded like probably the most crazy project that I had ever heard about,” Bronstein told me. “But David has this kind of power, this ability to convince and drag people along. I thought that it would be nice to try.”
Gruber kept pushing the idea. Among the experts who found it loopy and, at the same time, irresistible were Robert Wood, a roboticist at Harvard, and Daniela Rus, who runs M.I.T.s Computer Science and Artificial Intelligence Laboratory. Thus was born the Cetacean Translation Initiative—Project *CETI* for short. (The acronym is pronounced “setty,” and purposefully recalls *SETI*, the Search for Extraterrestrial Intelligence.) *CETI* represents the most ambitious, the most technologically sophisticated, and the most well-funded effort ever made to communicate with another species.
“I think its something that people get really excited about: Can we go from science fiction to science?” Rus told me. “I mean, can we talk to whales?”
Sperm whales are nomads. It is estimated that, in the course of a year, an individual whale swims at least twenty thousand miles. But scattered around the tropics, for reasons that are probably squid-related, there are a few places the whales tend to favor. One of these is a stretch of water off Dominica, a volcanic island in the Lesser Antilles.
*CETI* has its unofficial headquarters in a rental house above Roseau, the islands capital. The groups plan is to turn Dominicas west coast into a giant whale-recording studio. This involves installing a network of underwater microphones to capture the codas of passing whales. It also involves planting recording devices on the whales themselves—cetacean bugs, as it were. The data thus collected can then be used to “train” machine-learning algorithms.
The scientist David Gruber explains the mission of Project CETI, and what his team has learned about how whales communicate.
In July, I went down to Dominica to watch the *CETI* team go sperm-whale bugging. My first morning on the island, I met up with Gruber just outside Roseau, on a dive-shop dock. Gruber, who is fifty, is a slight man with dark curly hair and a cheerfully anxious manner. He was carrying a waterproof case and wearing a *CETI* T-shirt. Soon, several more members of the team showed up, also carrying waterproof cases and wearing *CETI* T-shirts. We climbed aboard an oversized Zodiac called *CETI* 2 and set off.
The night before, a tropical storm had raked the region with gusty winds and heavy rain, and Dominicas volcanic peaks were still wreathed in clouds. The sea was a series of white-fringed swells. *CETI* 2 sped along, thumping up and down, up and down. Occasionally, flying fish zipped by; these remained aloft for such a long time that I was convinced for a while they were birds.
About two miles offshore, the captain, Kevin George, killed the engines. A graduate student named Yaly Mevorach put on a set of headphones and lowered an underwater mike—a hydrophone—into the waves. She listened for a bit and then, smiling, handed the headphones to me.
The most famous whale calls are the long, melancholy “songs” issued by humpbacks. Sperm-whale codas are neither mournful nor musical. Some people compare them to the sound of bacon frying, others to popcorn popping. That morning, as I listened through the headphones, I thought of horses clomping over cobbled streets. Then I changed my mind. The clatter was more mechanical, as if somewhere deep beneath the waves someone was pecking out a memo on a manual typewriter.
Mevorach unplugged the headphones from the mike, then plugged them into a contraption that looked like a car speaker riding a broom handle. The contraption, which I later learned had been jury-rigged out of, among other elements, a metal salad bowl, was designed to locate clicking whales. After twisting it around in the water for a while, Mevorach decided that the clicks were coming from the southwest. We thumped in that direction, and soon George called out, “Blow!”
A few hundred yards in front of us was a gray ridge that looked like a misshapen log. (When whales are resting at the surface, only a fraction of their enormous bulk is visible.) The whale blew again, and a geyser-like spray erupted from the ridges left side.
[](https://www.newyorker.com/cartoon/a27506)
“This is the exact moment I asked you to water my plant.”
Cartoon by Jonathan Rosen
As we were closing in, the whale blew yet again; then it raised its elegantly curved flukes into the air and dove. It was unlikely to resurface, I was told, for nearly an hour.
We thumped off in search of its kin. The farther south we travelled, the higher the swells. At one point, I felt my stomach lurch and went to the side of the boat to heave.
“I like to just throw up and get back to work,” Mevorach told me.
Trying to attach a recording device to a sperm whale is a bit like trying to joust while racing on a Jet Ski. The exercise entails using a thirty-foot pole to stick the device onto the animals back, which in turn entails getting within thirty feet of a creature the size of a school bus. That day, several more whales were spotted. But, for all of our thumping around, *CETI* 2 never got close enough to one to unhitch the tagging pole.
The next day, the sea was calmer. Once again, we spotted whales, and several times the boats designated pole-handler, Odel Harve, attempted to tag one. All his efforts went for naught. Either the whale dove at the last minute or the recording device slipped off the whales back and had to be fished out of the water. (The device, which was about a foot long and shaped like a surfboard, was supposed to adhere via suction cups.) With each new sighting, the mood on *CETI* 2 lifted; with each new failure, it sank.
On my third day in Dominica, I joined a slightly different subset of the team on a different boat to try out a new approach. Instead of a long pole, this boat—a forty-foot catamaran called *CETI* 1—was carrying an experimental drone. The drone had been specially designed at Harvard and was fitted out with a video camera and a plastic claw.
Because sperm whales are always on the move, theres no guarantee of finding any; weeks can go by without a single sighting off Dominica. Once again, though, we got lucky, and a whale was soon spotted. Stefano Pagani, an undergraduate who had been brought along for his piloting skills, pulled on what looked like a V.R. headset, which was linked to the drones video camera. In this way, he could look down at the whale from the drones perspective and, it was hoped, plant a recording device, which had been loaded into the claw, on the whales back.
The drone took off and zipped toward the whale. It hovered for a few seconds, then dropped vertiginously. For the suction cups to adhere, the drone had to strike the whale at just the right angle, with just the right amount of force. Post impact, Pagani piloted the craft back to the boat with trembling hands. “The nerves get to you,” he said.
“No pressure,” Gruber joked. “Its not like theres a *New Yorker* reporter watching or anything.” Someone asked for a round of applause. A cheer went up from the boat. The whale, for its part, seemed oblivious. It lolled around with the recording device, which was painted bright orange, stuck to its dark-gray skin. Then it dove.
Sperm whales are among the worlds deepest divers. They routinely descend two thousand feet and sometimes more than a mile. (The deepest a human has ever gone with scuba gear is just shy of eleven hundred feet.) If the device stayed on, it would record any sounds the whale made on its travels. It would also log the whales route, its heartbeat, and its orientation in the water. The suction was supposed to last around eight hours; after that—assuming all went according to plan—the device would come loose, bob to the surface, and transmit a radio signal that would allow it to be retrieved.
I said it was too bad we couldnt yet understand what the whales were saying, because perhaps this one, before she dove, had clicked out where she was headed.
“Come back in two years,” Gruber said.
Every sperm whales tail is unique. On some, the flukes are divided by a deep notch. On others, they meet almost in a straight line. Some flukes end in points; some are more rounded. Many are missing distinctive chunks, owing, presumably, to orca attacks. To I.D. a whale in the field, researchers usually rely on a photographic database called Flukebook. One of the very few scientists who can do it simply by sight is *CETI*s lead field biologist, Shane Gero.
Gero, who is forty-three, is tall and broad, with an eager smile and a pronounced Canadian accent. A scientist-in-residence at Ottawas Carleton University, he has been studying the whales off Dominica since 2005. By now, he knows them so well that he can relate their triumphs and travails, as well as who gave birth to whom and when. A decade ago, as Gero started having children of his own, he began referring to his “human family” and his “whale family.” (His human family lives in Ontario.) Another marine biologist once described Gero as sounding “like Captain Ahab after twenty years of psychotherapy.”
When Gruber approached Gero about joining Project *CETI*, he was, initially, suspicious. “I get a lot of e-mails like Hey, I think whales have crystals in their heads, and Maybe we can use them to cure malaria,’ ” Gero told me. “The first e-mail David sent me was, like, Hi, I think we could find some funding to translate whale. And I was, like, Oh, boy.’ ”
A few months later, the two men met in person, in Washington, D.C., and hit it off. Two years after that, Gruber did find some funding. *CETI* received thirty-three million dollars from the Audacious Project, a philanthropic collaborative whose backers include Richard Branson and Ray Dalio. (The grant, which was divided into five annual payments, will run out in 2025.)
The whole time I was in Dominica, Gero was there as well, supervising graduate students and helping with the tagging effort. From him, I learned that the first whale I had seen was named Rita and that the whales that had subsequently been spotted included Raucous, Roger, and Ritas daughter, Rema. All belonged to a group called Unit R, which Gero characterized as “tightly and actively social.” Apparently, Unit R is also warmhearted. Several years ago, when a group called Unit S got whittled down to just two members—Sally and TBB—the Rs adopted them.
Sperm whales have the biggest brains on the planet—six times the size of humans. Their social lives are rich, complicated, and, some would say, ideal. The adult members of a unit, which may consist of anywhere from a few to a few dozen individuals, are all female. Male offspring are permitted to travel with the group until theyre around fifteen years old; then, as Gero put it, they are “socially ostracized.” Some continue to hang around their mothers and sisters, clicking away for months unanswered. Eventually, though, they get the message. Fully grown males are solitary creatures. They approach a band of females—presumably not their immediate relatives—only in order to mate. To signal their arrival, they issue deep, booming sounds known as clangs. No one knows exactly what makes a courting sperm whale attractive to a potential mate; Gero told me that he had seen some clanging males greeted with great commotion and others with the cetacean equivalent of a shrug.
Female sperm whales, meanwhile, are exceptionally close. The adults in a unit not only travel and hunt together; they also appear to confer on major decisions. If theres a new mother in the group, the other members mind the calf while she dives for food. In some units, though not in Unit R, sperm whales even suckle one anothers young. When a family is threatened, the adults cluster together to protect their offspring, and when things are calm the calves fool around.
“Its like my kids and their cousins,” Gero said.
The day after I watched the successful drone flight, I went out with Gero to try to recover the recording device. More than twenty-four hours had passed, and it still hadnt been located. Gero decided to drive out along a peninsula called Scotts Head, at the southwestern tip of Dominica, where he thought he might be able to pick up the radio signal. As we wound around on the islands treacherously narrow roads, he described to me an idea he had for a childrens book that, read in one direction, would recount a story about a human family that lives on a boat and looks down at the water and, read from the other direction, would be about a whale family that lives deep beneath the boat and looks up at the waves.
“For me, the most rewarding part about spending a lot of time in the culture of whales is finding these fundamental similarities, these fundamental patterns,” he said. “And, you know, sure, they wont have a word for tree. And theres some part of the sperm-whale experience that our primate brain just wont understand. But those things that we share must be fundamentally important to why were here.”
After a while, we reached, quite literally, the end of the road. Beyond that was a hill that had to be climbed on foot. Gero was carrying a portable antenna, which he unfolded when we got to the top. If the recording unit had surfaced anywhere within twenty miles, Gero calculated, we should be able to detect the signal. It occurred to me that we were now trying to listen for a listening device. Gero held the antenna aloft and put his ear to some kind of receiver. He didnt hear anything, so, after admiring the view for a bit, we headed back down. Gero was hopeful that the device would eventually be recovered. But, as far as I know, it is still out there somewhere, adrift in the Caribbean.
The first scientific, or semi-scientific, study of sperm whales was a pamphlet published in 1835 by a Scottish ship doctor named Thomas Beale. Called “The Natural History of the Sperm Whale,” it proved so popular that Beale expanded the pamphlet into a book, which was issued under the same title four years later.
At the time, sperm-whale hunting was a major industry, both in Britain and in the United States. The animals were particularly prized for their spermaceti, the waxy oil that fills their gigantic heads. Spermaceti is an excellent lubricant, and, burned in a lamp, produces a clean, bright light; in Beales day, it could sell for five times as much as ordinary whale oil. (It is the resemblance between semen and spermaceti that accounts for the species embarrassing name.)
Beale believed sperm whales to be silent. “It is well known among the most experienced whalers that they never produce any nasal or vocal sounds whatever, except a trifling hissing at the time of the expiration of the spout,” he wrote. The whales, he said, were also gentle—“a most timid and inoffensive animal.” Melville relied heavily on Beale in composing “Moby-Dick.” (His personal copy of “The Natural History of the Sperm Whale” is now housed in Harvards Houghton Library.) He attributed to sperm whales a “pyramidical silence.”
“The whale has no voice,” Melville wrote. “But then again,” he went on, “what has the whale to say? Seldom have I known any profound being that had anything to say to this world, unless forced to stammer out something by way of getting a living.”
The silence of the sperm whales went unchallenged until 1957. That year, two researchers from the Woods Hole Oceanographic Institution picked up sounds from a group theyd encountered off the coast of North Carolina. They detected strings of “sharp clicks,” and speculated that these were made for the purpose of echolocation. Twenty years elapsed before one of the researchers, along with a different colleague from Woods Hole, determined that some sperm-whale clicks were issued in distinctive, often repeated patterns, which the pair dubbed “codas.” Codas seemed to be exchanged between whales and so, they reasoned, must serve some communicative function.
Since then, cetologists have spent thousands of hours listening to codas, trying to figure out what that function might be. Gero, who wrote his Ph.D. thesis on vocal communication between sperm whales, told me that one of the “universal truths” about codas is their timing. There are always four seconds between the start of one coda and the beginning of the next. Roughly two of those seconds are given over to clicks; the rest is silence. Only after the pause, which may or may not be analogous to the pause a human speaker would put between words, does the clicking resume.
Codas are clearly learned or, to use the term of art, socially transmitted. Whales in the eastern Pacific exchange one set of codas, those in the eastern Caribbean another, and those in the South Atlantic yet another. Baby sperm whales pick up the codas exchanged by their relatives, and before they can click them out proficiently they “babble.”
The whales around Dominica have a repertoire of around twenty-five codas. These codas differ from one another in the number of their clicks and also in their rhythms. The coda known as three regular, or 3R, for example, consists of three clicks issued at equal intervals. The coda 7R consists of seven evenly spaced clicks. In seven increasing, or 7I, by contrast, the interval between the clicks grows longer; its about five-hundredths of a second between the first two clicks, and between the last two its twice that long. In four decreasing, or 4D, theres a fifth of a second between the first two clicks and only a tenth of a second between the last two. Then, there are syncopated codas. The coda most frequently issued by members of Unit R, which has been dubbed 1+1+3, has a cha-cha-esque rhythm and might be rendered in English as click . . . click . . . click-click-click.
If codas are in any way comparable to words, a repertoire of twenty-five represents a pretty limited vocabulary. But, just as no one can yet say what, if anything, codas mean to sperm whales, no one can say exactly what features are significant to them. It may be that there are nuances in, say, pacing or pitch that have so far escaped human detection. Already, *CETI* team members have identified a new kind of signal—a single click—that may serve as some kind of punctuation mark.
When whales are resting near the surface, their exchanges can last an hour or more. Even by human standards, sperm-whale chatter is insistent and repetitive. “Theyre talking on top of each other all the time,” Gero told me.
A snatch of dialogue recorded between two members of Unit R runs as follows. (Both Roger and Rita are adult females.)
> Roger: 1+1+3
> Rita: 1+1+3, 1+1+3
> Roger: 9I
> Rita: 1+1+3
> Roger: 10I
> Rita: 1+1+3, 1+1+3
> Roger: 11I
> Rita: 1+1+3
> Roger: 10I, 11I, 1+1+3
> Rita: 1+1+3
The “conversation” continues along much these same lines, until Rita finally changes her tune:
> Rita: 1+1+3
> Roger: 12R, 10I, 10I, 9I, 9I
> Rita: 9I, 8I
Not long ago, suffering from writers block, I asked ChatGPT if it could rewrite “Moby-Dick” from the whales perspective. The chatbot began modestly. “As an A.I. language model, I can certainly attempt to rewrite a small excerpt,” it told me. Then it launched into what it titled “Moby-Dick—The White Leviathans Tale.”
In Moby-Dicks “Moby-Dick,” the plot turned on an unfortunate case of mistaken identity. Some other whale had gnawed off Ahabs leg; the white whale was as innocent as the driven snow.
“My heart was one of peace, my spirit one with the rhythm of the currents,” ChatGPT wrote:
> I knew not of the vendetta forming against me, for I was but a creature of instinct, a guardian of the seas. But Captain Ahabs thirst for vengeance loomed large, and I became the object of his undying rage. The scar he bore from a previous encounter with my kind had branded me as his ultimate adversary. In his eyes, I represented a force of nature that defied his understanding, a living enigma of the oceans might.
In paragraph seven, I was surprised—and excited—to see the whale/bot allude to the problem of interspecies communication:
> Deep within the abyss of the sea, I pondered the futility of the captains quest. I longed to communicate with him, to show him that my kind, too, had emotions and families to protect. But the language barrier between our worlds remained an insurmountable chasm.
[](https://www.newyorker.com/cartoon/a27086)
Cartoon by Zoe Si
As anyone who has been conscious for the past ten months knows, ChatGPT is capable of amazing feats. It can write essays, compose sonnets, explain scientific concepts, and produce jokes (though these last are not necessarily funny). If you ask ChatGPT how it was created, it will tell you that first it was trained on a “massive corpus” of data from the Internet. This phase consisted of whats called “unsupervised machine learning,” which was performed by an intricate array of processing nodes known as a neural network. Basically, the “learning” involved filling in the blanks; according to ChatGPT, the exercise entailed “predicting the next word in a sentence given the context of the previous words.” By digesting millions of Web pages—and calculating and recalculating the odds—ChatGPT got so good at this guessing game that, without ever understanding English, it mastered the language. (Other languages it is “fluent” in include Chinese, Spanish, and French.)
In theory at least, what goes for English (and Chinese and French) also goes for sperm whale. Provided that a computer model can be trained on enough data, it should be able to master coda prediction. It could then—once again in theory—generate sequences of codas that a sperm whale would find convincing. The model wouldnt understand sperm whale-ese, but it could, in a manner of speaking, speak it. Call it ClickGPT.
Currently, the largest collection of sperm-whale codas is an archive assembled by Gero in his years on and off Dominica. The codas contain roughly a hundred thousand clicks. In a paper published last year, members of the *CETI* team estimated that, to fulfill its goals, the project would need to assemble some four billion clicks, which is to say, a collection roughly forty thousand times larger than Geros.
“One of the key challenges toward the analysis of sperm whale (and more broadly, animal) communication using modern deep learning techniques is the need for sizable datasets,” the team wrote.
In addition to bugging individual whales, *CETI* is planning to tether a series of three “listening stations” to the floor of the Caribbean Sea. The stations should be able to capture the codas of whales chatting up to twelve miles from shore. (Though inaudible above the waves, sperm-whale clicks can register up to two hundred and thirty decibels, which is louder than a gunshot or a rock concert.) The information gathered by the stations will be less detailed than what the tags can provide, but it should be much more plentiful.
One afternoon, I drove with Gruber and *CETI*s station manager, Yaniv Aluma, a former Israeli Navy *SEAL*, to the port in Roseau, where pieces of the listening stations were being stored. The pieces were shaped like giant sink plugs and painted bright yellow. Gruber explained that the yellow plugs were buoys, and that the listening equipment—essentially, large collections of hydrophones—would dangle from the bottom of the buoys, on cables. The cables would be weighed down with old train wheels, which would anchor them to the seabed. A stack of wheels, rusted orange, stood nearby. Gruber suddenly turned to Aluma and, pointing to the pile, said, “You know, were going to need more of these.” Aluma nodded glumly.
The listening stations have been the source of nearly a years worth of delays for *CETI*. The first was installed last summer, in water six thousand feet deep. Fish were attracted to the buoy, so the spot soon became popular among fishermen. After about a month, the fishermen noticed that the buoy was gone. Members of *CETI*s Dominica-based staff set out in the middle of the night on *CETI* 1 to try to retrieve it. By the time they reached the buoy, it had drifted almost thirty miles offshore. Meanwhile, the hydrophone array, attached to the rusty train wheels, had dropped to the bottom of the sea.
The trouble was soon traced to the cable, which had been manufactured in Texas by a company that specializes in offshore oil-rig equipment. “They deal with infrastructure thats very solid,” Aluma explained. “But a buoy has its own life. And they didnt calculate so well the torque or load on different motions—twisting and moving sideways.” The company spent months figuring out why the cable had failed and finally thought it had solved the problem. In June, Aluma flew to Houston to watch a new cable go through stress tests. In the middle of the tests, the new design failed. To avoid further delays, the *CETI* team reconfigured the stations. One of the reconfigured units was installed late last month. If it doesnt float off, or in some other way malfunction, the plan is to get the two others in the water sometime this fall.
A sperm whales head takes up nearly a third of its body; its narrow lower jaw seems borrowed from a different animal entirely; and its flippers are so small as to be almost dainty. (The formal name for the species is *Physeter macrocephalus*, which translates roughly as “big-headed blowhole.”) “From just about any angle,” Hal Whitehead, one of the worlds leading sperm-whale experts (and Geros thesis adviser), has written, sperm whales appear “very strange.” I wanted to see more of these strange-looking creatures than was visible from a catamaran, and so, on my last day in Dominica, I considered going on a commercial tour that offered customers a chance to swim with whales, assuming that any could be located. In the end—partly because I sensed that Gruber disapproved of the practice—I dropped the idea.
Instead, I joined the crew on *CETI* 1 for what was supposed to be another round of drone tagging. After wed been under way for about two hours, codas were picked up, to the northeast. We headed in that direction and soon came upon an extraordinary sight. There were at least ten whales right off the boats starboard. They were all facing the same direction, and they were bunched tightly together, in rows. Gero identified them as members of Unit A. The members of Unit A were originally named for characters in Margaret Atwood novels, and they include Lady Oracle, Aurora, and Rounder, Lady Oracles daughter.
Earlier that day, the crew on *CETI* 2 had spotted pilot whales, or blackfish, which are known to harass sperm whales. “This looks very defensive,” Gero said, referring to the formation.
Suddenly, someone yelled out, “Red!” A burst of scarlet spread through the water, like a great banner unfurling. No one knew what was going on. Had the pilot whales stealthily attacked? Was one of the whales in the group injured? The crowding increased until the whales were practically on top of one another.
Then a new head appeared among them. “Holy fucking shit!” Gruber exclaimed.
“Oh, my God!” Gero cried. He ran to the front of the boat, clutching his hair in amazement. “Oh, my God! Oh, my God!” The head belonged to a newborn calf, which was about twelve feet long and weighed maybe a ton. In all his years of studying sperm whales, Gero had never watched one being born. He wasnt sure anyone ever had.
As one, the whales made a turn toward the catamaran. They were so close I got a view of their huge, eerily faceless heads and pink lower jaws. They seemed oblivious of the boat, which was now in their way. One knocked into the hull, and the foredeck shuddered.
The adults kept pushing the calf around. Its mother and her relatives pressed in so close that the baby was almost lifted out of the water. Gero began to wonder whether something had gone wrong. By now, everyone, including the captain, had gathered on the bow. Pagani and another undergraduate, Aidan Kenny, had launched two drones and were filming the action from the air. Mevorach, meanwhile, was recording the whales through a hydrophone.
To everyones relief, the baby began to swim on its own. Then the pilot whales showed up—dozens of them.
“I dont like the way theyre moving,” Gruber said.
“Theyre going to attack for sure,” Gero said. The pilot whales distinctive, wave-shaped fins slipped in and out of the water.
What followed was something out of a marine-mammal “Lord of the Rings.” Several of the pilot whales stole in among the sperm whales. All that could be seen from the boat was a great deal of thrashing around. Out of nowhere, more than forty Frasers dolphins arrived on the scene. Had they come to participate in the melee or just to rubberneck? It was impossible to tell. They were smaller and thinner than the pilot whales (which, their name notwithstanding, are also technically dolphins).
“I have no prior knowledge upon which to predict what happens next,” Gero announced. After several minutes, the pilot whales retreated. The dolphins curled through the waves. The whales remained bunched together. Calm reigned. Then the pilot whales made another run at the sperm whales. The water bubbled and churned.
“The pilot whales are just being pilot whales,” Gero observed. Clearly, though, in the great “struggle for existence,” everyone on board *CETI* 1 was on the side of the baby.
The skirmishing continued. The pilot whales retreated, then closed in again. The drones began to run out of power. Pagani and Kenny piloted them back to the catamaran to exchange the batteries. These were so hot they had to be put in the boats refrigerator. At one point, Gero thought that he spied the new calf, still alive and well. (He would later, from the drone footage, identify the babys mother as Rounder.) “So thats good news,” he called out.
The pilot whales hung around for more than two hours. Then, all at once, they were gone. The dolphins, too, swam off.
“There will never be a day like this again,” Gero said as *CETI* 1 headed back to shore.
That evening, everyone whod been on board *CETI* 1 and *CETI* 2 gathered at a dockside restaurant for a dinner in honor of the new calf. Gruber made a toast. He thanked the team for all its hard work. “Lets hope we can learn the language with that baby whale,” he said.
I was sitting with Gruber and Gero at the end of a long table. In between drinks, Gruber suggested that what we had witnessed might not have been an attack. The scene, he proposed, had been more like the last act of “The Lion King,” when the beasts of the jungle gather to welcome the new cub.
“Three different marine mammals came together to celebrate and protect the birth of an animal with a sixteen-month gestation period,” he said. Perhaps, he hypothesized, this was a survival tactic that had evolved to protect mammalian young against sharks, which would have been attracted by so much blood and which, he pointed out, would have been much more numerous before humans began killing them off.
“You mean the baby whale was being protected by the pilot whales from the sharks that arent here?” Gero asked. He said he didnt even know what it would mean to test such a theory. Gruber said they could look at the drone footage and see if the sperm whales had ever let the pilot whales near the newborn and, if so, how the pilot whales had responded. I couldnt tell whether he was kidding or not.
“Thats a nice story,” Mevorach interjected.
“I just like to throw ideas out there,” Gruber said.
> “My! You dont say so!” said the Doctor. “You never talked that way to me before.”
>
> “What would have been the good?” said Polynesia, dusting some cracker crumbs off her left wing. “You wouldnt have understood me if I had.”
>
> *—“The Story of Doctor Dolittle.”*
The Computer Science and Artificial Intelligence Laboratory (*CSAIL*), at M.I.T., occupies a Frank Gehry-designed building that appears perpetually on the verge of collapse. Some wings tilt at odd angles; others seem about to split in two. In the lobby of the building, theres a vending machine that sells electrical cords and another that dispenses caffeinated beverages from around the world. Theres also a yellow sign of the sort you might see in front of an elementary school. It shows a figure wearing a backpack and carrying a briefcase and says “*NERD XING*.”
Daniela Rus, who runs *CSAIL* (pronounced “see-sale”), is a roboticist. “Theres such a crazy conversation these days about machines,” she told me. We were sitting in her office, which is dominated by a robot, named Domo, who sits in a glass case. Domo has a metal torso and oversized, goggly eyes. “Its either machines are going to take us down or machines are going to solve all of our problems. And neither is correct.”
Along with several other researchers at *CSAIL*, Rus has been thinking about how *CETI* might eventually push beyond coda prediction to something approaching coda comprehension. This is a formidable challenge. Whales in a unit often chatter before they dive. But what are they chattering about? How deep to go, or who should mind the calves, or something that has no analogue in human experience?
“We are trying to correlate behavior with vocalization,” Rus told me. “Then we can begin to get evidence for the meaning of some of the vocalizations they make.”
She took me down to her lab, where several graduate students were tinkering in a thicket of electronic equipment. In one corner was a transparent plastic tube loaded with circuitry, attached to two white plastic flippers. The setup, Rus explained, was the skeleton of a robotic turtle. Lying on the ground was the turtles plastic shell. One of the students hit a switch and the flippers made a paddling motion. Another student brought out a two-foot-long robotic fish. Both the fish and the turtle could be configured to carry all sorts of sensors, including underwater cameras.
“We need new methods for collecting data,” Rus said. “We need ways to get close to the whales, and so weve been talking a lot about putting the sea turtle or the fish in water next to the whales, so that we can image what we cannot see.”
*CSAIL* is an enormous operation, with more than fifteen hundred staff members and students. “People here are kind of audacious,” Rus said. “They really love the wild and crazy ideas that make a difference.” She told me about a diver she had met who had swum with the sperm whales off Dominica and, by his account at least, had befriended one. The whale seemed to like to imitate the diver; for example, when he hung in the water vertically, it did, too.
“The question Ive been asking myself is: Suppose that we set up experiments where we engage the whales in physical mimicry,” Rus said. “Can we then get them to vocalize while doing a motion? So, can we get them to say, Im going up? Or can we get them to say, Im hovering? I think that, if we were to find a few snippets of vocalizations that we could associate with some meaning, that would help us get deeper into their conversational structure.”
While we were talking, another *CSAIL* professor and *CETI* collaborator, Jacob Andreas, showed up. Andreas, a computer scientist who works on language processing, said that he had been introduced to the whale project at a faculty retreat. “I gave a talk about understanding neural networks as a weird translation problem,” he recalled. “And Daniela came up to me afterwards and she said, Oh, you like weird translation problems? Heres a weird translation problem.’ ”
Andreas told me that *CETI* had already made significant strides, just by reanalyzing Geros archive. Not only had the team uncovered the new kind of signal but also it had found that codas have much more internal structure than had previously been recognized. “The amount of information that this system can carry is much bigger,” he said.
“The holy grail here—the thing that separates human language from all other animal communication systems—is whats called duality of patterning,’ ” Andreas went on. “Duality of patterning” refers to the way that meaningless units—in English, sounds like “sp” or “ot”—can be combined to form meaningful units, like “spot.” If, as is suspected, clicks are empty of significance but codas refer to something, then sperm whales, too, would have arrived at duality of patterning. “Based on what we know about how the coda inventory works, Im optimistic—though still not sure—that this is going to be something that we find in sperm whales,” Andreas said.
[](https://www.newyorker.com/cartoon/a25122)
“But with traffic I rarely make it past twenty miles per hour.”
Cartoon by Sofia Warren
The question of whether any species possesses a “communication system” comparable to that of humans is an open and much debated one. In the nineteen-fifties, the behaviorist B. F. Skinner argued that children learn language through positive reinforcement; therefore, other animals should be able to do the same. The linguist Noam Chomsky had a different view. He dismissed the notion that kids acquire language via conditioning, and also the possibility that language was available to other species.
In the early nineteen-seventies, a student of Skinners, Herbert Terrace, set out to confirm his mentors theory. Terrace, at that point a professor of psychology at Columbia, adopted a chimpanzee, whom he named, tauntingly, Nim Chimpsky. From the age of two weeks, Nim was raised by people and taught American Sign Language. Nims interactions with his caregivers were videotaped, so that Terrace would have an objective record of the chimps progress. By the time Nim was three years old, he had a repertoire of eighty signs and, significantly, often produced them in sequences, such as “banana me eat banana” or “tickle me Nim play.” Terrace set out to write a book about how Nim had crossed the language barrier and, in so doing, made a monkey of his namesake. But then Terrace double-checked some details of his account against the tapes. When he looked carefully at the videos, he was appalled. Nim hadnt really learned A.S.L.; he had just learned to imitate the last signs his teachers had made to him.
“The very tapes I planned to use to document Nims ability to sign provided decisive evidence that I had vastly overestimated his linguistic competence,” Terrace wrote.
Since Nim, many further efforts have been made to prove that different species—orangutans, bonobos, parrots, dolphins—have a capacity for language. Several of the animals who were the focus of these efforts—Koko the gorilla, Alex the gray parrot—became international celebrities. But most linguists still believe that the only species that possesses language is our own.
Language is “a uniquely human faculty” that is “part of the biological nature of our species,” Stephen R. Anderson, a professor emeritus at Yale and a former president of the Linguistic Society of America, writes in his book “Doctor Dolittles Delusion.”
Whether sperm-whale codas could challenge this belief is an issue that just about everyone I talked to on the *CETI* team said theyd rather not talk about.
“Linguists like Chomsky are very opinionated,” Michael Bronstein, the Oxford professor, told me. “For a computer scientist, usually a language is some formal system, and often we talk about artificial languages.” Sperm-whale codas “might not be as expressive as human language,” he continued. “But I think whether to call it language or not is more of a formal question.”
“Ironically, its a semantic debate about the meaning of language,” Gero observed.
Of course, the advent of ChatGPT further complicates the debate. Once a set of algorithms can rewrite a novel, what counts as “linguistic competence”? And who—or what—gets to decide?
“When we say that were going to succeed in translating whale communication, what do we mean?” Shafi Goldwasser, the Radcliffe Institute fellow who first proposed the idea that led to *CETI*, asked.
“Everybodys talking these days about these generative A.I. models like ChatGPT,” Goldwasser, who now directs the Simons Institute for the Theory of Computing, at the University of California, Berkeley, went on. “What are they doing? You are giving them questions or prompts, and then they give you answers, and the way that they do that is by predicting how to complete sentences or what the next word would be. So you could say thats a goal for *CETI*—that you dont necessarily understand what the whales are saying, but that you could predict it with good success. And, therefore, you could maybe generate a conversation that would be understood by a whale, but maybe you dont understand it. So thats kind of a weird success.”
Prediction, Goldwasser said, would mean “weve realized what the pattern of their speech is. Its not satisfactory, but its something.
“What about the goal of understanding?” she added. “Even on that, I am not a pessimist.”
There are now an estimated eight hundred and fifty thousand sperm whales diving the worlds oceans. This is down from an estimated two million in the days before the species was commercially hunted. Its often suggested that the darkest period for *P. macrocephalus* was the middle of the nineteenth century, when Melville shipped out of New Bedford on the Acushnet. In fact, the bulk of the slaughter took place in the middle of the twentieth century, when sperm whales were pursued by diesel-powered ships the size of factories. In the eighteen-forties, at the height of open-boat whaling, some five thousand sperm whales were killed each year; in the nineteen-sixties, the number was six times as high. Sperm whales were boiled down to make margarine, cattle feed, and glue. As recently as the nineteen-seventies, General Motors used spermaceti in its transmission fluid.
Near the peak of industrial whaling, a biologist named Roger Payne heard a radio report that changed his life and, with it, the lives of the worlds remaining cetaceans. The report noted that a whale had washed up on a beach not far from where Payne was working, at Tufts University. Payne, whod been researching moths, drove out to see it. He was so moved by the dead animal that he switched the focus of his research. His investigations led him to a naval engineer who, while listening for Soviet submarines, had recorded eerie underwater sounds that he attributed to humpback whales. Payne spent years studying the recordings; the sounds, he decided, were so beautiful and so intricately constructed that they deserved to be called “songs.” In 1970, he arranged to have “Songs of the Humpback Whale” released as an LP.
“I just thought: the world has to hear this,” he would later recall. The album sold briskly, was sampled by popular musicians like Judy Collins, and helped launch the “Save the Whales” movement. In 1979, *National Geographic* issued a “flexi disc” version of the songs, which it distributed as an insert in more than ten million copies of the magazine. Three years later, the International Whaling Commission declared a “moratorium” on commercial hunts which remains in effect today. The move is credited with having rescued several species, including humpbacks and fin whales, from extinction.
Payne, who died in June at the age of eighty-eight, was an early and ardent member of the *CETI* team. (This was the case, Gruber told me, even though he was disappointed that the project was focussing on sperm whales, rather than on humpbacks, which, he maintained, were more intelligent.) Just a few days before his death, Payne published an op-ed piece explaining why he thought *CETI* was so important.
Whales, along with just about every other creature on Earth, are now facing grave new threats, he observed, among them climate change. How to motivate “ourselves and our fellow humans” to combat these threats?
“Inspiration is the key,” Payne wrote. “If we could communicate with animals, ask them questions and receive answers—no matter how simple those questions and answers might turn out to be—the world might soon be moved enough to at least start the process of halting our runaway destruction of life.”
Several other *CETI* team members made a similar point. “One important thing that I hope will be an outcome of this project has to do with how we see life on land and in the oceans,” Bronstein said. “If we understand—or we have evidence, and very clear evidence in the form of language-like communication—that intelligent creatures are living there and that we are destroying them, that could change the way that we approach our Earth.”
“I always look to Rogers work as a guiding star,” Gruber told me. “The way that he promoted the songs and did the science led to an environmental movement that saved whale species from extinction. And he thought that *CETI* could be much more impactful. If we could understand what theyre saying, instead of save the whales it will be saved by the whales.
“This project is kind of an offering,” he went on. “Can technology draw us closer to nature? Can we use all this amazing tech weve invented for positive purposes?”
ChatGPT shares this hope. Or at least the A.I.-powered language model is shrewd enough to articulate it. In the version of “Moby-Dick” written by algorithms in the voice of a whale, the story ends with a somewhat ponderous but not unaffecting plea for mutuality:
> I, the White Leviathan, could only wonder if there would ever come a day when man and whale would understand each other, finding harmony in the vastness of the oceans embrace. ♦
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,203 @@
---
Tag: ["📈", "🇺🇸", "💸"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.thenation.com/article/society/mckinsey-whistleblower-confessions/
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-ConfessionsofaMcKinseyWhistleblowerNSave
&emsp;
# Confessions of a McKinsey Whistleblower
[World](https://www.thenation.com/subject/world/) / [Feature](https://www.thenation.com/content/feature/) / September 5, 2023
Inside the soul-crushing, morally bankrupt, top-secret world of our most powerful consulting firm.
![](https://www.thenation.com/wp-content/uploads/2023/08/LANE-Lovely-McKinsey-ILLO.jpg)
Illustration by Tim Lane.
In the summer of 2015, when I was 21 years old, I found myself working at one of Americas most notorious jails.
I was interning for McKinsey & Company, the elite management consulting firm. We had been tasked with helping reduce violence at [Rikers Island](https://gothamist.com/news/we-will-close-rikers-elected-officials-blast-back-at-mayor-adams), New York Citys main jail complex. Multiple members of the team had seen combat in Iraq and Afghanistan. I was the youngest by a few years.
When I arrived, McKinsey had been embedded at Rikers for nine months. Corruption, violence, and a reliance on torturous solitary confinement plagued the jail. One day, around a dozen of us met in a conference room to discuss the highest-profile recent victim of the inhumanity at Rikers: [Kalief Browder](https://www.newyorker.com/magazine/2014/10/06/before-the-law). Browder had been held at Rikers for three years for allegedly stealing a backpack when he was 16. He spent roughly two years in [solitary confinement](https://www.thecity.nyc/2023/1/17/23559414/solitary-confinement-rikers-jail-people-go-crazy-in-there) and attempted suicide multiple times. Browder never went to trial and was eventually released.
We watched [surveillance-camera footage](https://www.newyorker.com/news/news-desk/exclusive-video-violence-inside-rikers) of Browder that had recently been published by *The New Yorker*. In one video, Browder, who is in handcuffs, is thrown to the ground by a guard; in another, he is brutalized by around 10 other incarcerated teenagers as guards neglect to control the situation.
I probably had the most radical views of any of the 18 or so McKinsey staff then on the project. In college, I had cofounded a student group dedicated to prison reform. Id fancied myself a leftist firebrand who might help inject some humanity into how Rikers was run.
I had spent only a few weeks working for “the other side,” but after seeing the footage of the teenagers assaulting Browder, I was ready to “crack some skulls” and said as much to my team. (The guard assaulting Browder angered me, but—good management consultant that I was— Id determined that beating up the teens would be the most efficient way to end the overall violence.)
#### Current Issue
[![Cover of October 2/9, 2023, Issue](https://www.thenation.com/wp-content/uploads/2023/09/cover1002.jpg)](https://www.thenation.com/issue/october-2-9-2023-issue/)
A senior partner in the room who came by only occasionally was taken aback by how much we had internalized Rikerss culture of brutality and accused us of having “gone native.” One reason for this might have been that, although we interviewed dozens of Rikers staffers (some of whom I remember referring to mealtimes at the jail as “feedings”), not once, to my recollection, did we talk to a single incarcerated person.
Soon after I started at Rikers, Browder [hanged himself](https://www.newyorker.com/news/news-desk/kalief-browder-1993-2015). He was 22, just a year older than I was.
Despite all of McKinseys supposed efforts, the use of force by guards at Rikers has only [increased since 2016](https://www.nytimes.com/2020/08/06/nyregion/rikers-island-violence-guards.html), reaching what a federal monitor called an “all-time high” in 2020. In 2021, slashings and stabbings were up more than 1,000 percent from 2011. In 2019, ProPublica found that McKinsey had “rigged” its [violence-reduction numbers](https://www.propublica.org/article/new-york-city-paid-mckinsey-millions-to-stem-jail-violence-instead-violence-soared). (McKinsey denied this.) And in May 2022, New York City [stopped using McKinseys system](https://www.thecity.nyc/2022/5/18/23126067/nyc-jails-scrap-pricey-consultant-plan-as-deaths-mount) for classifying detainees. In the end, the city spent $27.5 million on McKinseys services, with precious little to show for it. McKinsey, on the other hand, collected its money and moved right along.
Founded in 1926, McKinsey is still widely considered the most prestigious consulting firm in the field. It reported more than $15 billion in revenue in 2022 and employs 45,000-plus people in 133 offices around the globe. McKinsey says its served more than 3,000 clients, including nearly every one of the worlds 100 largest corporations.
What does McKinsey do? Generally, it deploys teams of sleep-deprived, overeducated young people to solve tough problems for organizations—typically for-profit businesses, though the firm also serves many [governments](https://www.nytimes.com/2019/12/14/sunday-review/mckinsey-ice-buttigieg.html) and [large nonprofit organizations](https://www.vox.com/science-and-health/2019/12/13/21004456/bill-gates-mckinsey-global-public-health-bcg). If youre a CEO who wants help evaluating whether to enter a new market or lay off thousands of employees, you might hire McKinsey.
McKinsey made the prescient decision to avoid credit for its work, keeping its client and project lists secret. In practice, this has insulated the company from the disasters it was party to, such as the [collapse of Enron](https://www.theguardian.com/business/2002/mar/24/enron.theobserver). (This secrecy also serves to deter nearly all current and former McKinsey employees from speaking to reporters, meaning that, despite my best efforts, some of the details in this piece are based solely upon my own recollections.)
## Popular
“swipe left below to view more authors”Swipe →
McKinseys recruiting materials offer you the chance to “Change the world. Improve lives.” Naïve as it seems in hindsight, I came to McKinsey believing those words. But after a year and a half there, I eventually understood that not only does McKinsey fail to make the world better—it often colludes with those who make the world worse.
![Emmanuel Macrons government handed hundreds of millions of dollars to McKinsey and other consulting firms.](https://www.thenation.com/wp-content/uploads/2023/08/Lovely-Macron-getty.jpg)
**Raking it in:** Emmanuel Macrons government handed hundreds of millions of dollars to McKinsey and other consulting firms. (Joel Saget / AFP)
The Rikers project was what ultimately convinced me to intern with McKinsey. The prospect of getting to directly influence reforms at a major jail was thrilling. Working in government—for much less pay and prestige—sounded stultifying. By contrast, McKinseys pitch seemed like a dream come true.
That pitch goes something like this: You may think that you cant have it all—that a career dedicated to the social good requires giving up some money and status. But McKinsey says you *can*. Youll make less than a banker and work more than a software engineer, but youll be respected, collaborate with brilliant people, cash a fat paycheck, and still get to do good.
To convince idealistic(ish) candidates, McKinsey exaggerates how much of its work benefits society. At the time I applied, two of the four practice case studies on McKinseys website involved governments or nonprofits, but during training, I remember being told that only about 10 percent of the firms work was in those sectors.
McKinsey leaves nothing to chance when making the hard sell. All the “offerees” are flown to their would-be office for a “celebration weekend.” Youre put up in a fancy hotel and wooed by existing consultants. On Friday night, the participants take over a fancy restaurant. The food is excellent, and the bar is open.
#### More From This Issue
I went to the Philadelphia office, which had a tradition in which employees roast their colleagues with limericks. (Sample lines: “And now theyve set their wedding date, / All because the period was late.”) Each new recruit was given a mini bottle of champagne upon accepting their offer. I think I was the last to accept mine, which I did via—you guessed it—a limerick.
My summer at Rikers was difficult. I struggled with the content and the quantity of the work, as well as the crushing reality of attempting to fix a systemically fucked institution by making marginal changes.
At the end of the standard 10-week internship, McKinsey wasnt sure about me. I was given the unusual choice to extend my internship for two weeks or return to college without a full-time offer. I bailed on a planned family vacation and took the extension, joining a different team at Rikers. Each day, we met at 5:30 am and ordered takeout breakfast at Nicks Gourmet Deli in Queens, a few blocks from the three-lane bridge to Rikers. We were trying to develop plans for a “model facility” at the George R. Vierno Center, one of the 10 jails on the island.
I had spent most of the previous 10 weeks working with members of Rikerss administrative staff at the Department of Corrections headquarters. Now I worked “behind the gate.” Each morning, I removed my belt and sent my laptop bag and breakfast through an X-ray machine before proceeding to our team room, a dim, cramped office. The two associates on my team were both ex-Marines. (One went on to work in a senior role for Arkansas Republican Senator Tom Cotton.)
My memory of the content of my work during this period is a bit hazy because of the sleep deprivation and stress, but my willingness to show up before dawn was likely the decisive factor in securing my offer of a full-time job. For all the effort McKinsey seems to put into finding the “smartest” people, ones capacity to suffer and to sustain inhuman hours is probably a better predictor of success than ones intelligence.
I thought it was ironic that I came into the internship as a borderline prison abolitionist and ended it by receiving a job offer in a wardens conference room. But by the end of that summer, I had grown to like many of the people running Rikers, bonding with the jails most senior uniformed officer over our mutual love of Led Zeppelin. It was an early lesson that interpersonal kindness is not the same as actual goodness.
I also liked and respected my McKinsey colleagues and felt I had learned a lot. Whats more, I sensed an opportunity around the corner. McKinsey has extremely high expectations for its consultants: that they should work 60-plus hours every week, make zero mistakes, and always remain poised in front of clients. But if you stick it out for two years, youll be ushered into a world with even more money, prestige, and power—either through the lucrative “exit opportunities” that McKinsey provides or through the equally plush jobs within the company itself.
I finished my senior year, and in September 2016, I started full-time at McKinsey. With a year of distance from the pressures of the internship, returning felt good.
There was a strong drinking culture at the Philly office. Friday evenings “wine time” bled into happy hours at nearby bars, dinners out, and late-night dancing. One colleague quipped that at McKinsey, “alcoholism was overrepresented and under-discussed.”
![Current and former McKinsey exeuctives almost always find a prized seat at the table, no matter which political figures—from Barack Obama to Angela Merkel to Donald Trump Jr.—are sitting at the head of it.](https://www.thenation.com/wp-content/uploads/2023/08/Lovely-McKinsey_cronies.jpg)
**Power players:** Current and former McKinsey executives almost always find a prized seat at the table, no matter which political figures—from Barack Obama to Angela Merkel to Donald Trump Jr.—are sitting at the head of it. (left to right: Chip Somodevilla / Getty; Rainer Jensen / Getty; Manish Swarup / AP)
The day after Donald Trumps 2016 election victory, I was working for a client out of McKinseys D.C. office. The vibe there was shockingly normal, but I felt like the world was ending and that I was the only one who knew or cared.
In January 2017, I was offered a project with a federal agency I knew little about: Immigration and Customs Enforcement. Id be working on “talent management” with the human resources team at ICEs Washington headquarters.
This was in the final days of Barack Obamas administration, and ICE was not yet a [household name](https://www.buzzfeednews.com/article/hamedaleaziz/trump-ice-biden-future). Obama had done a good job of convincing young lefties like me that his administration was humane. (In reality, Obama [deported more people](https://www.washingtonpost.com/immigration/the-trump-administrations-immigration-jails-are-packed-but-deportations-are-lower-than-in-obama-era/2019/11/17/27ad0e44-f057-11e9-89eb-ec56cd414732_story.html) in his first three years than Trump did over the same period of his term.) Even though Trump had put anti-immigrant politics at the heart of his campaign, the fact that I was about to work for his administrations immigration enforcement agency didnt really register. I didnt like what I had learned about ICE during the single weekend I was given to decide whether to join the project, but I figured it would be an opportunity to see how a federal agency operates.
Working at ICE headquarters was surreal. We were functionally the equivalent of full-time ICE employees—we even had ICE e-mail addresses—but there were limits. I didnt have the security clearance to walk the halls alone, so a vetted McKinsey colleague would escort me to our team room. As with the contract at Rikers, my four-person team was supposedly managing an “organizational transformation.” The goals we were given included “Arrest more people with available resources” and “Remove people faster.” Such blunt language should have been a red flag, but I told myself that ICE would only be deporting people with serious criminal records—an [Obama-era policy](https://theintercept.com/2017/05/15/obamas-deportation-policy-was-even-worse-than-we-thought/) that didnt thrill me but was one that I could live with.
Then Trump decided to target [nearly all undocumented immigrants](https://www.nytimes.com/2017/01/26/us/trump-immigration-deportation.html) for deportation and directed ICE to hire 10,000 additional deportation officers, which would have nearly tripled existing staffing levels. Though none of this was at odds with the “remove people faster” directive, the intensity of the push unsettled us. Many of the team members had attended the Womens March, which I had found reassuring. The fact that people who had marched against Trump proceeded to embed themselves in the agency at the center of his agenda is, in a sense, all you need to know.
![McKinsey embedded itself within Donald Trumps government to help ICE ramp up its deportation machine.](https://www.thenation.com/wp-content/uploads/2023/08/Lovely-TrumpMcKinsey-getty.jpg)
**Willing partners:** McKinsey embedded itself within Donald Trumps government to help ICE ramp up its deportation machine. (Saul Loeb / AFP via Getty Images)
It didnt take long for me and many of my colleagues to start freaking out. During meals and Uber rides, I vented my fears and objections to the work, which were largely echoed by my peers. Had we not been the type of people to jump through every hoop on the path to conventional success, a mutiny might have been brewing. Instead, we had a conference call.
One February morning, the roughly 15 of us working on the team got on the phone with Richard Elder, then a senior partner managing the relationship with ICE. He compared our work for ICE to previous projects implementing Obamacare, which he said many McKinsey employees objected to but worked on nevertheless.
“The firm does execution, not policy,” Elder said. This was a common refrain at McKinsey. At Rikers, I had asked my team about the possibility of eliminating cash bail, which would have reduced the number of people passing through the jail at the time by roughly 45,000, or [well over half](https://www.nytimes.com/2018/09/19/nyregion/rikers-island-inmate-population.html), and was told that ideas like this were “out of scope” because the firm “doesnt do policy.”
If we just do execution, I asked, what would have stopped us from helping Nazis more efficiently procure barbed wire for their concentration camps? In response, I recall Elder muttering about McKinsey being a values-based organization. (Elder has not responded to requests for comment.)
McKinsey does indeed tout its values. As a McKinsey spokesperson emphasized in response to questions for this article, many offices hold an entire “Values Day” each year. But when I was there, none of these values addressed McKinseys role in, and effect on, the world. They focused instead on doing right by your clients and colleagues. (The firms stated purpose is now “to help create positive, enduring change in the world,” but I never heard this language used to justify our work.) Elders comments contributed to my growing feeling that McKinsey was an amoral institution willing to do almost anything for almost anyone who will pay them.
My job was to model how to hire enough new ICE agents to comply with Trumps executive order. I was terrified of what would happen if the agency actually hired 10,000 new deportation officers. I recall there being a consensus that ICE agents were already the least competent and least respected federal law enforcement officers. How much worse would things get if ICE had to lower its hiring bar further? And what kind of people would want to join an agency that Trump had made the focal point of his white nationalist administration?
I raised these concerns on my team, and one of the partners bristled, saying that his cousin was a Border Patrol agent and a good guy, not some retrograde caveman.
I would often spend my nights reading about the impacts of ICE, like the story about a man who killed himself after being [deported six times](https://www.theguardian.com/us-news/2017/feb/23/mexican-man-deported-suicide-trump-tijuana), or the one about a longtime resident [torn from his community](https://www.nytimes.com/2017/02/27/us/immigration-trump-illinois-juan-pacheco.html). I lay awake in a suite in the D.C. Park Hyatt that I could never afford on my own. My work no longer seemed innocuous; it felt instead like I was laying the groundwork for a humanitarian disaster.
One day as I was leaving ICE headquarters, I saw that a small protest had formed outside the building. I ducked out a side exit, terrified of being spotted by the activists, who could have been my comrades if Id made different choices. One of McKinseys more-touted values asked us to uphold the “obligation to dissent.” (“The obligation to dissent has long been one of McKinseys core values alongside those focused on client service and talent development,” the McKinsey spokesperson told me.) But I came to feel that McKinsey is structured to resist any type of dissent. Aside from speaking up in a meeting, asking to leave the project, or complaining to an ombudsman that McKinseys own code of conduct says “cannot take action to address any questions or concerns you may have” except in exceptional circumstances, there was no way to meaningfully push back. And besides, I couldnt point to any violations of McKinseys values at ICE, because there werent any.
I remember venting about the ICE work to a partner who wasnt on the project. He encouraged me to sabotage things from within. At first I thought he was joking, but he—an immigrant himself—seemed serious.
I considered leaking information to a newspaper. But the early weeks of the Trump administration were plagued with [so many scandals](https://www.npr.org/2017/02/04/513473827/yes-all-this-happened-trumps-first-2-weeks-as-president) that nothing I could share seemed like it would make a difference. If I left the project early, I would be replaced by someone who likely would have fewer objections to the work. I decided that the best I could do was adamantly push ICE to adopt the longest possible hiring timeline and to ignore attrition when it set hiring targets.
My team included people like a former diplomat and a West Pointer who identified as a staunch Democrat. I liked these colleagues more than the members of any other team I worked on. But they were apparently more sanguine about the work—as evidenced by the fact that all of them are still at McKinsey.
I learned to hide behind spreadsheets and slide decks. I spent the remaining weeks on the ICE project building hiring models I hoped would never become reality. (Trump never got the [money needed](https://www.govexec.com/management/2018/05/ice-cancels-proposed-contract-help-hiring-thousands-deportation-officers/148638/) for the plans, though ICE didnt need to expand to [conduct atrocities](https://www.buzzfeednews.com/article/kendalltaggart/here-are-thousands-of-documents-about-immigrants-who-died).)
During my final week at ICE, my project manager informed me that the partner there wanted to extend my time. My manager told him that “this project is killing Garrison” and recommended to him that I not stay on, out of concern for my mental health. If an extension had been offered, I think I might have agreed to it, because I felt obligated to advocate the least harmful hiring options to ICE leadership, even though my manager was right: The work was sending me into a deep depression.
I was disturbed to learn how much worse McKinseys contributions became after I left. [Reporting](https://www.propublica.org/article/how-mckinsey-helped-the-trump-administration-implement-its-immigration-policies) from ProPublica and *The* *New York Times* found that the firm helped increase arrests and speed up deportations. Some of its advice was so extreme that it made even ICE staff uncomfortable. (McKinsey called the reporting false, though ProPublica said the firm provided next to no evidence to back this up.)
After participating in three banal projects in the private sector, I was advised to give notice. Honestly, it came as a huge relief. My exit came sooner than it did for most—McKinsey and I clearly werent a good match—but turnover was so common that it brought no real shame.
In December 2018, I met some of my former colleagues for dinner in New York. One of them had landed his “dream job” and signed a lease for a ridiculously expensive apartment. When the talk turned to politics, I remember him drunkenly proclaiming, “All I know is my life is amazing, and I want nothing to change.” People chastised him, but I appreciated the honesty—I couldnt help but notice that everyone else at the table who postured as a progressive had gone on to work at a private equity firm or a hedge fund.
![McKinsey was hired to transform the culture at Rikers Island. Instead, consultants embraced the brutality of the prison.](https://www.thenation.com/wp-content/uploads/2023/08/Lovely-Rikers_demo-ap.jpg)
**Culture warriors:** McKinsey was hired to transform the culture at Rikers Island. Instead, consultants embraced the brutality of the prison. (Jake Offenhartz / AP)
For years, I hesitated to go public with my experience. I was ashamed of the work I had done. I was also afraid of getting sued or smeared, and I didnt want to alienate one of the most powerful companies on Earth; the nonprofit I later worked at was cofounded by a McKinsey alum and had three other McKinseyites serving as advisers or board members.
I ultimately chose to be a source for Walt Bogdanich and Mike Forsythes excellent book, *[When McKinsey Comes to Town](https://bookshop.org/p/books/when-mckinsey-comes-to-town-the-hidden-influence-of-the-world-s-most-powerful-consulting-firm-michael-forsythe/18369941)*, and to out myself as the author of an [anonymous *Current Affairs* exposé](https://www.currentaffairs.org/2019/02/mckinsey-company-capitals-willing-executioners) about the company.
In June 2019, I was arrested along with 35 others for blocking traffic outside an ICE detention facility in Elizabeth, N.J., an act of [civil disobedience](https://www.nbcnews.com/news/us-news/never-again-means-close-camps-jews-protest-ice-across-country-n1029386) organized by the immigrant advocacy organization Never Again Action. These days, I regularly wear an “Abolish ICE” shirt and loudly speak out against the agency. My interest in the issue is genuine—I think ICE provides no social value and mostly serves to terrorize immigrants. But deep down, I think some part of it is also motivated by guilt.
McKinsey promises its consultants that they wont have to work for [clients they disagree with](https://www.nytimes.com/2022/09/29/business/mckinsey-tobacco-juul-opioids.html). But this pushes ethical responsibility downward onto each individual, and only a tiny minority of the consultants need to be willing to do a project for it to be carried out.
Whats more, though McKinsey promotes itself as a vehicle for public service, in practice, it stacks the deck heavily in favor of power and money. I remember my staffing manager once telling me that if I wanted to serve a nonprofit client, I would have to take a 25 percent pay cut for the duration of the engagement.
McKinsey is also the most tight-lipped of the consulting firms. Youre never supposed to name your clients, not even to your romantic partner or to other members of the firm (though those rules were routinely broken). This secrecy protected me the way it protects McKinsey: I didnt have to disclose to anyone that I worked for ICE. In fact, I *couldnt*.
I now think consultants should act as if theyll have to justify their work to friends and family. They should, at the very least, be able to justify it to themselves. Looking back, I know I cant.
McKinsey wont truly reform itself, because it neither needs to nor wants to. As the worlds largest private partnership, it cant be taken over by shareholder activists. All it needs to sustain itself is its client base and its recruiting pipeline from elite universities. The past few years of critical attention have done little to affect either. In 2021, thenmanaging partner Kevin Sneader [told the *Financial Times*](https://www.ft.com/content/63f24181-aee0-49f4-9966-a447d79692f0) that the firm had lost “very, very, very few clients” and just had its “best recruiting year ever.”
Even the mild reforms that Sneader implemented—some of which would have made it easier for me to object to the ICE project—faced a backlash from McKinseys senior partners. Though they didnt overturn his changes, they voted him out after just one term (which hasnt happened since 1976) and replaced him with [Bob Sternfels](https://www.wsj.com/articles/mckinsey-names-bob-sternfels-as-firms-new-global-managing-partner-11615383076), whose leadership represents a return to the status quo ante.
In an ideal world, McKinsey and other management consultancies wouldnt exist, at least not in anything close to their current form. In the meantime, there are some ways to penalize a firm that has largely escaped accountability.
The first is that governments can investigate McKinsey. There are recent precedents for this. In 2020, the federal governments procurement arm terminated a host of McKinsey contracts after its inspector general caught the firm lobbying to help it [sidestep contracting regulations](https://www.gsaig.gov/sites/default/files/audit-reports/A170118_1.pdf), and in April 2022, the Food and Drug Administration announced that it would not issue any [new contracts](https://www.nbcnews.com/news/fda-halt-mckinsey-contracts-federal-probes-opioid-work-rcna26160) to McKinsey pending the outcome of a congressional investigation into its relationship with the agency. That same month, Sternfels was brought before the House Oversight Committee to explain the firms role in helping to [fuel the opioid epidemic](https://www.nytimes.com/2022/06/29/business/mckinsey-opioid-crisis-opana.html).
In December, after ProPublica published its [investigations into McKinseys work](https://www.propublica.org/article/mckinsey-never-told-the-fda-it-was-working-for-opioid-makers-while-also-working-for-the-agency) for the FDA and for the opioid manufacturers that the FDA regulates, Congress [enacted a law](https://www.propublica.org/article/congress-mckinsey-fda-purdue-pharma-conflicts) attempting to limit conflicts of interest at federal contractors.
The second way to penalize McKinsey lies with the prestigious universities that the firm so obsessively recruits from. Schools could [ban McKinsey](https://www.browndailyherald.com/article/2018/09/calvelli-19-bcg-ban-consulting-groups/) from recruiting on campus or could provide dossiers to prospective candidates outlining the firms troubling conduct—a counterweight to the deluge of glossy pamphlets that promise you the ability to do well by doing good.
A senior partner once told a writer, “There is no institution on the planet that has more integrity than McKinsey.” But I never felt worse about my professional life—or my role in the world—than while I was there. Nonetheless, my stint at McKinsey probably improves my employment prospects overall.
My time at McKinsey led to the *Current Affairs* essay that launched my journalism career. It also led to the piece you are reading now. If I ever crawled back to the corporate world, McKinsey would be the credential that most validates me as a “smart, competent person” to a recruiter. Some of them would likely see it as a promising sign of my ruthlessness—always a prized asset in the pursuit of profit.
Nothing short of a full de-McKinsey-fication of society will change the fact that, no matter what damage the firm does, its brand benefits the people who work there. We will know things have improved only when the name “McKinsey” on a résumé becomes what I learned it should be: a source of shame.
##### [Garrison Lovely](https://www.thenation.com/authors/garrison-lovely/)
Garrison Lovely is a freelance journalist. His work has been featured in *Jacobin*, *Current Affairs*, and *New York Focus*, among other places.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,88 @@
---
Tag: ["🤵🏻", "🇺🇸", "🇧🇷"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.thecut.com/2023/09/gisele-fetterman-interview.html
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-GiseleFettermansHadaHellofaYearNSave
&emsp;
# Gisele Fettermans Had a Hell of a Year
## Our Lady of Pittsburgh
## Gisele Fetterman has steered her family through hell and back. Whats a few more fires?
Gisele Baretto Fetterman gets ready to pose in her uniform in the station where she works as a volunteer firefighter, just down the street from her Braddock, Pennsylvania, home. Photo: Susana Raab
![A woman with long, dark hair clips a firefighter's helmet onto her head. She is wearing a khaki-and-neon firefighter's uniform.](https://pyxis.nymag.com/v1/imgs/4c9/1a2/1058c16699bd76e50726e82871ae15132d-20230808-SR-39-Edit.rvertical.w570.jpg)
“I have a face that people think they can say anything to me,” [Gisele Baretto Fetterman](https://www.theguardian.com/us-news/2023/jun/03/john-fetterman-wife-hates-politics-gisele-barreto-fetterman) says, dipping a plastic knife into soft serve at a Burger King in Braddock, Pennsylvania, just outside Pittsburgh. (There were no spoons.) Before she became recognizable as the magnificently browed, Brazilian-born five-foot-nine wife of the states six-foot-eight junior senator, she says mothers who heard her speak Portuguese with her three kids addressed her as if she was their nanny. There were many such cases of mistaken identity — like when a woman thought she was staff at a book signing the couple hosted in 2015. “There were 200 people in my house. I was just overwhelmed, and I snuck into the pantry,” she tells me. “I went to have a glass of wine. This woman came inside and said, I just want you to know I saw you take a drink and Im going to tell Mr. Fetterman. And I said, Please dont, because I dont want to get fired.’” Ten minutes later, Fetterman and her husband went to the front of the room and welcomed their guests. The woman who chastised her was in the front row. Afterward, Fetterman says she apologized. “I considered leaving,” the woman said, “But I know I would see you again somewhere. Im so sorry.” They had a glass of wine together.
Fetterman chose not to correct these assumptions in the moment but allowed the women to come to the mortifying realization theyd gotten things wrong on their own. Its not that she wanted to embarrass them. Its that she thinks “we have to expect the best out of people, and people will rise to meet those expectations” — including owning when theyve been an asshole and attempting to avoid being one going forward. Some of this empathy might come from Fetterman being aware hers is not the image people conjure when they think “political spouse.” She is a formerly undocumented immigrant, openly uses marijuana to treat her chronic back pain, and, since May, works as a volunteer firefighter. But her ability to calmly disarm people has been an asset to [John Fetterman](https://nymag.com/intelligencer/article/john-fetterman-dr-oz-pennsylvania-senate-race.html) as he ascended from small-town mayor to lieutenant governor to U.S. senator.
Most of Johns D.C. colleagues have been nice to her. “Not everyone,” she notes, before clarifying: “All the wives have been so lovely.” But the muck of Washington is part of why Fetterman mostly stays in Braddock. She will travel down for events like the White House Correspondents Dinner, where she was in awe speaking with *Vanderpump Rules* star [Ariana Madix](https://www.thecut.com/2023/05/ariana-madix-vanderpump-scandoval-brand-deals.html). Fetterman says she tells John, “If you make it fun, I will go to D.C. … If politics is just miserable, I just cant.”
Fetterman works to bring resources to the community at the Free Store in Braddock, Pennsylvania, which is open three days a week. Photo: Susana Raab
The couple met in 2007, after Fetterman, then a nutritionist living in Newark, New Jersey, read about Johns work revitalizing the abandoned steel town of Braddock in a magazine and wrote him a letter. He invited her to visit, and within a year, shed moved to Pennsylvania and the couple had eloped. They are complementary in their opposition. While hes usually in basketball shorts and a hoodie — “Do I think John dresses well now?” Fetterman says. “Of course I dont. But also I dont care what he wears” — she is casually chic in thrifted dresses and expertly winged eyeliner. She is the placid foil to Johns brooding hulk, an on-the-ground problem solver where he is an ambitious policymaker.
While John works on federal legislation in the Capitol, Fetterman runs three local nonprofits, including a service for people who are food insecure and a business incubator for women entrepreneurs. At the Free Store, a charity shop she founded in 2012, anyone can show up and take donated goods at no cost. Over the course of two humid hours on an August morning, Fetterman holds someones sleeping toddler as she walks between the converted shipping container that houses home goods and the racks where she hangs clothing. I talk to a volunteer introduced as “Mr. Guy,” whos 83 and has been with the Free Store since his wife told him to find something to do in retirement. He describes the devoutly unreligious Fetterman as “Mother Teresa.” It is she who compels Mr. Guy more than the charity itself, which he doesnt feel sets its shoppers up to succeed in a capitalist society. When he asks Fetterman, “How do you know theyre taking what they need?” she responds, “Because they say so.” Fetterman tells me later, “He can grow from that place.”
Fettermans own capacity was tested in the middle of the Senate campaign in May 2022, when she stepped in as her husbands surrogate following his hospitalization for a [massive stroke](https://nymag.com/intelligencer/2022/06/wheres-john-fetterman.html). She delivered the victory speech when he won the Democratic Senate primary four days later. The same woman whod cried through her childhood birthday parties because she was uncomfortable with the attention was loose, *funny*. The crowd was laughing, even though people must have been wondering, *Is this campaign over?* Fetterman says she “hates politics,” but she was effective enough that many Republicans branded her the Pennsylvanian Lady Macbeth, [concocting elaborate fictions about her vying to take her husbands Senate seat](https://www.elle.com/culture/career-politics/a43430966/gisele-senator-john-fetterman-essay/) if he resigned. “I had to do it,” she tells me of the speech. “They werent there for me. They were there for Johns election party.” She reassured the crowd that the next senator from Pennsylvania would be back on the trail in no time.
More candid conversations had taken place at home. Fettermans children asked her if their father was going to die. “I dont know,” she told them. “Whatever happens, were going to make it through.” Rather than reassure her kids, Fetterman gave them the truth. “I want them to always be able to come to me if its hard or complicated or whatever,” Fetterman says. “If they have questions, they know Im going to be honest with them.”
Johns recovery was concurrent with a brutal [midterm-election campaign against Mehmet Oz](https://nymag.com/intelligencer/2022/10/john-fetterman-struggles-dr-oz-bullies-in-senate-debate.html), a Republican TV doctor who mocked him and questioned his fitness for office. Attack ads implied John was a racist, that he let convicted murderers run free, and that he brought on his own stroke by not eating vegetables. John won, then moved to Washington and was sworn into office earlier this year. Debilitating depression followed. Fetterman had never felt hopeless in her mind before, but she understood the trapped feeling of chronic pain. Shed already read books about depression 14 years earlier, when shed first suspected John was suffering but before hed acknowledged it. “Ive tried to get him to read some. I wanted him to see it,” she says. “But someone has to get there on their own.” She encouraged everyone in the family to go to therapy.
Fetterman gets a hug from her son, August, while working at the Free Store. Photo: Susana Raab/© Susana Raab 2023
Fetterman was straightforward with John about the fact that something had to change. Less than six weeks after he was sworn in, on February 15, John [entered in-patient treatment for depression](https://nymag.com/intelligencer/2023/02/john-fetterman-has-been-hospitalized-for-depression.html) at Walter Reed. After leaving, John would tell people Fetterman had said to him, “Your kids are going to remember you as a sad sack of shit.” She says she actually told him, “If something happens to you tomorrow, your kids are going to remember you as a sad person. Is that how you want them to remember you?”
After the stroke, the Fettermans had to adapt to new ways of communicating with John, who has challenges with auditory processing. The family now goes to see movies with subtitles, and theres a voice-to-text app that lets the kids show John what they want to say if theyre somewhere noisy. “Were newer to the disability world as a family,” Fetterman says, but she believes its making her kids more thoughtful. “Theyre like, This sidewalk, how can a wheelchair even get through this sidewalk? I think theyre more aware of it because weve had to fight to get closed captioning in spaces for dad.” Shes referring to the Senate floor, where the average age of legislators is 65.3 and one would think visual aids would be welcome.
Fetterman has dealt with the fact that life is inherently blighted with difficult things since she was a child. When she was not quite 8 years old, her mother gave her and her brother one days notice to pack a suitcase; they were relocating from an unsafe neighborhood in Rio de Janeiro to the United States. Now, when people ask Fetterman about her five-year plan, she tells them, “I dont know if Im alive. I cant think that far. But Im really good at today.”
While John went after what Fetterman calls “his dream” with the Senate campaign, she decided to pursue hers: She enrolled in a fire academy. Shed been thinking about it for years. “When I lived in Newark,” she tells me, “there was a house on my block that had a devastating fire. They had no detectors, and everybody died in the building.” She adds, “It really haunted me.” When she announced the news of her enrollment, the children were nervous. Her 9-year-old, August, was afraid Fetterman would be killed in a fire; 14-year-old Karl was afraid she would pose for a sexy firefighter calendar. Fetterman told them, “You guys are my world, but I have to pursue things, too.” Prioritizing ones own goals over their childrens and partners desires is perhaps another atypical quality in a politicians wife. “I would never tolerate him standing in the way of me wanting to become a firefighter or whatever it is,” Fetterman says of John. “In relationships, you support each other.”
Fetterman now works at the Rivers Edge Volunteer Fire Department, just down the road from her house. She gives me a tour of the station and puts on her enormous khaki-and-neon uniform over a long dress that does not seem conducive to fitting under pants but somehow does. She implores me to lift the 40-pound air pack she wears to breathe on calls. (I can confirm 40 pounds is extremely heavy.) The firefighters were all men when Fetterman started at the academy, but two other women trained with her. She was the oldest person in her class and nearly twice most of her fellow recruits ages.
Fetterman poses in one of the outdoor areas in her home, a converted car dearlership in Braddock that sits directly in front of a US Steel plant. Photo: Susana Raab
On the job, Fetterman wears a nameplate with her maiden name, Barreto, to minimize the disruption her local celebrity has on the 61 calls shes done as of August 31. “I do all the 3 a.m. calls, the 2:30 a.m. calls, because I can just go right back to sleep and it doesnt bother me at all,” she says. More disruptive is what the smoke does to her hair. “Im like, *Oh my God, if I wash my hair today, Im going to be in a fire tomorrow.* So every day Im like, No, Im not going to do it.’” Fetterman can go up to 14 days straight without a refresh. “Its disgusting,” she says before telling me she showered yesterday in honor of our interview.
When Fetterman is called, she leaves a radio at the house so the kids can listen to whats happening. “At first, it was a cat in a tree, and they were like, Okay, Moms good,’” she says. “Then when its something more serious, they dont want to listen to it anymore. But they know thats an option. Im not keeping it from them.” Fetterman says she never gets nervous when she goes to a fire. “I am always calm,” she tells me. She claims she has never yelled, not even in her dreams. “Nothing comes out,” she says of when Dream Gisele opens her mouth to scream. “I wish I was strong and tough.” When I tell her she does seem strong and tough, Fetterman says, “When people are mean to me, I start to cry. Its happened a million times.” I havent been mean — I think — but she begins crying, which involves tears but a startling lack of change in her expression. “Im sorry,” she tells me.
If her transparency and independence have scarred Fettermans children in any way, theyre hiding it well. When were sitting down at Burger King, Fetterman asks the kids to play in the indoor playground until she can “see sweat dripping” so that she and I have space to talk. Nevertheless, her youngest son and his friends come over to put stickers in her lustrous (and, today, clean) hair while she pretends to not notice. Fetterman says, “Ive tried to raise the kids to be really flexible to prepare them for life.”
Recently, after family friends announced a breakup, Fetterman says Karl asked his parents if they would ever get divorced. They responded at the same time. John said, “Never.” Fetterman said, “Maybe.” Understandably, her husband asked his wife why. Fetterman says she told him, “I love you so much, but life happens. And if something were to happen, I dont want it to debilitate them.” She sees this not as pessimism but optimism. “Whatever comes, were going to figure out a way through it,” she says. “Theres comfort in that.”
Gisele Fettermans Had a Hell of a Year
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -12,7 +12,7 @@ CollapseMetaTable: true
--- ---
Parent:: [[@News|News]] Parent:: [[@News|News]]
Read:: 🟥 Read:: [[2023-09-12]]
--- ---

@ -0,0 +1,223 @@
---
Tag: ["🗳️", "🇬🇧"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.theguardian.com/books/2023/aug/26/naomi-klein-naomi-wolf-conspiracy-theories
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-whymillionsenteredanalternativepoliticalrealityNSave
&emsp;
# Naomi Klein on following her doppelganger down the conspiracy rabbit hole and why millions of people have entered an alternative political reality
In my defence, it was never my intent to write about it. I did not have time. No one asked me to. And several people strongly cautioned against it. Not now not with the literal and figurative fires roiling our planet. And certainly not about this.
Other Naomi that is how I refer to her now. This person with whom I have been chronically confused for over a decade. My big-haired doppelganger. A person whom so many others appear to find indistinguishable from me. A person who does many extreme things that cause strangers to chastise me or thank me or express their pity for me.
I am referring, of course, to [Naomi Wolf](https://www.theguardian.com/books/naomi-wolf). In the 1990s, she was a standard-bearer for “third wave” feminism, then a leading adviser to US vice-president [Al Gore](https://www.theguardian.com/us-news/algore). Today, she is a full-time, industrial-scale disseminator of unproven conspiracy theories on everything from Islamic State beheadings to vaccines. And the worst part of the confusion is that I can see why people get their Naomis mixed up. We both write big-idea books (my [No Logo](https://www.theguardian.com/books/2019/aug/11/no-logo-naomi-klein-20-years-on-interview), her [Beauty Myth](https://www.theguardian.com/books/2017/oct/09/ten-best-feminist-political-texts); my [Shock Doctrine](https://www.theguardian.com/books/2007/sep/15/politics), her [End of America](https://www.theguardian.com/commentisfree/2007/may/13/naomiwolfvalanwolferound1); my [This Changes Everything](https://www.theguardian.com/books/2014/sep/19/this-changes-everything-capitalism-vs-climate-naomi-klein-review), her [Vagina](https://www.theguardian.com/books/2012/sep/07/vagina-new-biography-naomi-wolf-review)). We both have brown hair that sometimes goes blond from over-highlighting (hers is longer and more voluminous than mine). Were both Jewish.
There are too many instances and varieties of identity confusion to summarize here. Like the time I offended a famous Australian author by failing to remember our prior encounter at a Christmas party hosted by our shared publisher (it was Wolfs publisher, not mine, and I had been to no such party). Or the time Jordan Peterson slammed me on his podcast for allegedly writing The Beauty Myth (to be fair, he also slams me for things I have written). Or the guy who tweeted that I had been losing my mind for years and now equated having to get a Covid vaccine with Jews in Nazi Germany having to wear yellow stars linking, of course, [to a statement by Wolf](https://twitter.com/naomirwolf/status/1636145556648087553) saying that very thing.
There was even a moment, while reading [an article in the Guardian](https://www.theguardian.com/world/2011/oct/19/naomi-wolf-occupy-wall-street-arrested) about her being arrested at a protest in New York, when I experienced the unmistakable chill of the doppelganger, an uncanny feeling Sigmund Freud described as “that species of the frightening that goes back to what was once well known and had long been familiar”.
“Her partner, the film producer Avram Ludwig, was also arrested.”
I read the sentence to my partner, the film director and producer Avram Lewis (who goes by Avi).
“What the actual fuck?” he asked.
“I know,” I said. “Its like a goddamned conspiracy.”
Then we both burst out laughing.
Most confusingly, my doppelganger and I once had distinct writerly lanes (hers being womens bodies, sexuality, and leadership; mine being corporate assaults on democracy and the climate crisis). But over a decade ago, she started talking and writing about power grabs under cover of states of emergency and the once-sharp yellow line that divided those lanes began to go wobbly.
By early 2021, when she was casting nearly every public health measure marshalled to control the Covid pandemic as a covert plan by the Chinese Communist party, the World Economic Forum and [Anthony Fauci](https://www.theguardian.com/us-news/anthony-fauci) to usher in a sinister new world order, I began to feel as if I was reading a parody of The Shock Doctrine, one with all facts and evidence carefully removed, and coming to cartoonishly broad conclusions I would never support. And all the while, my doppelganger troubles deepened, in part because I was relatively quiet in this period, isolated in my Canadian home and unable to perform so many of the activities that once reinforced my own public identity.
In those lonely months, I would wander online to try to find some simulation of the friendships and communities I missed, and find, instead, The Confusion. The denunciations and excommunication (“I cant believe I used to respect [Naomi Klein](https://www.theguardian.com/books/naomi-klein). WTF has happened to her??”). The glib expressions of sympathy (“The real victim in all this here is Naomi Klein” and “Thoughts and prayers to Naomi Klein”). It was an out-of-body experience: if she, according to this torrent of people, was me, who, then, was I?
All of this may help explain why I made the admittedly odd decision to follow my doppelganger into the rabbit hole of her rabbit holes, chasing after any insight into her strange behaviour and that of her newfound allies that I could divine. I recognize that this decision is somewhat out of character. After all, for a quarter of a century, I have been a person who writes about corporate power and its ravages. I sneak into abusive factories in faraway countries and across borders to military occupations; I report in the aftermath of oil spills and category 5 hurricanes. And yet in the months and years during the pandemic a time when cemeteries ran out of space, and billionaires blasted themselves into outer space everything else that I had to write or might have written appeared only as an unwanted intrusion, a rude interruption.
![Headshot of author Naomi Wolf against New York City skyline background](https://i.guim.co.uk/img/media/fbc1251e988adbed6a457df73deba6f57c1a6556/0_204_3307_2619/master/3307.jpg?width=445&dpr=1&s=none)
The doppelganger: Naomi Wolf. Photograph: Mike McGregor/The Guardian
In June 2021, as this research began to truly spiral out of my control, a strange new weather event dubbed a “heat dome” descended on the southern coast of British Columbia, the part of Canada where I now live with my family. The thick air felt like a snarling, invasive entity with malevolent intent. More than 600 people died, most of them elderly; an estimated 10bn marine creatures were cooked alive on our shores; an entire town went up in flames. An editor asked if I, as someone engaged in the climate change fight for 15 years, would file a report about what it was like to live through this unprecedented climate event.
“Im working on something else,” I told him, the stench of death filling my nostrils.
“Can I ask what?”
“You cannot.”
---
There were plenty of other important things I neglected during this time of feverish subterfuge. That summer, I allowed my nine-year-old to spend so many hours watching a gory nature series called Animal Fight Club that he began to ram me at my desk “like a great white shark”. I did not spend nearly enough time with my octogenarian parents, who live a mere half-hours drive away, despite their statistical vulnerability to the deadly pandemic that was rampaging across the globe and despite that lethal heat dome. In the fall, my husband ran for office in a national election; though I did go on a few campaign trips, I know I could have done more.
My deepest shame rests with the unspeakable number of podcasts I mainlined, the sheer volume of hours lost that I will never get back listening to her and her fellow travelers who are now in open warfare against objective reality. A masters degrees worth of hours. I told myself it was “research”. That this was not, in fact, an epically frivolous and narcissistic waste of my compressed writing time or of the compressed time on the clock of our fast-warming planet. I rationalised that Other Naomi, as one of the most effective creators and disseminators of misinformation and disinformation about many of our most urgent crises, and as someone who has seemingly helped inspire large numbers to take to the streets in rebellion against an almost wholly hallucinated “tyranny”, is at the nexus of several forces that, while ridiculous in the extreme, are nonetheless important, since the confusion they sow and the oxygen they absorb increasingly stand in the way of pretty much anything helpful or healthful that humans might, at some point, decide to accomplish together.
For most of the first decade of my doppelganger trouble, I didnt bother much with correcting the record. I told myself that getting confused with [Naomi Wolf](https://www.theguardian.com/books/naomi-wolf) was primarily a social media thing. My friends and colleagues knew who I was, and when I interacted with people I didnt know in the physical world, her name did not used to come up; neither were we entangled in articles or book reviews. I therefore filed away Naomi confusion in the category of “things that happen on the internet that are not quite real”.
Back then, I saw the problem as more structural than personal. A handful of young men had got unfathomably rich designing tech platforms that, in the name of “connection”, not only allowed us to eavesdrop on conversations between strangers but also actively encouraged us to seek out those exchanges that mentioned us by name (AKA our “mentions”). When I first joined Twitter back in 2010, and clicked on the little bell icon signifying my “mentions”, my initial thought was: I am reading the graffiti written about me on an infinitely scrolling restroom wall.
As a frequently graffitied-about girl in high school, this felt both familiar and deeply harrowing. I instantly knew that Twitter was going to be bad for me and yet, like so many of us, I could not stop looking. So perhaps if there is a message I should have taken from the destabilising appearance of my doppelganger, this is it: once and for all, stop eavesdropping on strangers talking about you in this crowded and filthy global toilet known as social media.
I might have heeded the message, too. If Covid hadnt intervened, and upped the stakes of the confusion on pretty much every front.
---
“Really?” Avi asked. It was 11 oclock on a warm night in early June 2021 and he had walked in on me doing yoga before bed, a nightly practice to help with back pain. When he arrived, I was in pigeon pose, breathing into a deep and challenging hip release. And, yes, OK, I was also listening to [Steve Bannon](https://www.theguardian.com/us-news/steve-bannon)s daily podcast**,** War Room. Life had been hectic lately, with the end of the school year and Avis campaign for federal office heating up, so when else was I supposed to catch up on Other Naomis flurry of appearances?
A couple of months earlier, Wolf had released a video claiming that those vaccine-verification apps so many of us downloaded represented a plot to institute “slavery for ever”. The apps would usher in a “CCP-style social credit score system” in “the West”, she said a reference to Chinas all-pervasive surveillance net that allows Beijing to rank citizens for their perceived virtue and obedience, a chilling hierarchy that can determine everything from access to schools to eligibility for loans, and is one piece of a broader surveillance dragnet that pinpoints the location of dissidents for arrest and ruthlessly censors speech that casts the ruling party in a critical light. The “vaccine passports” were like all that, Wolf warned, a system that “enslaves a billion people”. The apps would listen into our conversations, track where and with whom we gathered, tell on us to the authorities. This, according to my doppelganger, is what Joe Biden was about to bring to the United States, using Covid as the cover story.
Having these incendiary claims come from a once-prominent Democrat was irresistible to the rightwing media. Suddenly she was everywhere: Foxs (now canceled) [Tucker Carlson](https://www.theguardian.com/us-news/tucker-carlson) Tonight, along with other shows on the network, as well as Bannons War Room and many lesser-known platforms. All of this activity meant that keeping up with my doppelganger was an increasingly time-consuming undertaking, thus the need to multitask while doing yoga.
My obsession had opened a growing gulf between Avi and me. And not just between us it was intensifying my already deep pandemic isolation, cutting me off further from other friends and family. No one I know listened to War Room, and I felt increasingly that it was impossible to understand the new shape of politics without listening to it. Still, it had gone pretty far: for days, I had been unable to get the shows rabidly anti-communist theme song out of my head (“Spread the word all through Hong Kong / We will fight till theyre all gone / We rejoice when theres no more / Lets take down the CCP”).
After the Bannon-yoga incident, I pledged to give it a rest, to put this least charming of pandemic hobbies aside. It seemed like the right time to reassess anyway. [Twitter had just suspended Naomi Wolfs account](https://www.theguardian.com/books/2021/jun/05/naomi-wolf-banned-twitter-spreading-vaccine-myths), seemingly permanently. I wasnt comfortable with this kind of heavy-handed corporate censorship, but I told myself that Wolf losing her main tool of continuous disinformation surely meant that she wouldnt be able to get herself (and me) into nearly so much trouble.
“Ill block Twitter,” I told Avi. I promised to spend the whole summer not only helping more with the campaign but also focusing on our son and the rest of our woefully neglected family.
Here is how my relapse happened, and Im not going to sugarcoat it. During a vacation in Prince Edward Island, the back pain had gotten worse, and I decided to seek professional help. I set off midmorning, under clear skies on a virtually empty two-lane road banked by sand dunes, red cliffs and crashing Atlantic waves. As I drove, I realized I was something I had barely been in 16 months: alone. Alone and surrounded by natural beauty. Elation flooded my body, down to the tips of my fingers clasping the steering wheel.
In that perfect moment, I could have listened to anything. I could have rolled down the windows and filled my ears with the surf and the gulls. I could have blasted Joni Mitchells Blue, which I had recently rediscovered thanks to Brandi Carliles cover. But I didnt do any of that.
Instead, I touched the purple podcast app, pulled up War Room, and read the capsule summary of the most recent episode. It was a speech by [Donald Trump](https://www.theguardian.com/us-news/donaldtrump), recorded live, in which he announced that he was suing the big tech companies for deplatforming him, followed by reaction from …
What? Why her?
I scrolled down and saw that I had missed several other recent appearances while abiding by my no-Wolf diet. I gulped them all, one after another. And thats how I ended up on the side of the road, with my hazards on, late for a much-needed treatment, on my first vacation in two years, scribbling in a tiny red notebook as I tried to transcribe the words coming through my phones speaker: “black shirts and brown shirts”, “Fauci demonic”, “petrifying”, “your body belongs to the state”, “like Chinas one-child policy and forced sterilization”, “geotracking”, “evil x2”.
![Author Naomi Klein pictured twice, once sitting at a table facing the camera, and alongside with her back to it](https://i.guim.co.uk/img/media/63725757eebfd74a6b43d30e74b472302b76ee6a/0_3287_6234_4502/master/6234.jpg?width=445&dpr=1&s=none)
It was an out-of-body experience: if she was me, who, then, was I? Photograph: Sebastian Nevols/The Guardian
In my meager defense, Wolfs elevated status on Bannons podcast marked a major development in the life of my doppelganger. Its one thing to be invited on to a flagship show of the Trumpian right to freestyle about vaccine passports or to trash Joe Biden any semi-prominent self-described Democrat would be welcome to pull that stunt. Its quite another to be the person whom [Steve Bannon](https://www.theguardian.com/us-news/steve-bannon) goes to for exclusive reaction to one of the first post-White House speeches by Donald Trump a man whom the vast majority of Bannons listeners are utterly convinced is the rightful president of the United States (and whom Wolf had referred to, in her earlier life, as “a horrible human being, an awful person”). Its not just that it sells books and subscriptions to her website. It signals real power the ability to reach and potentially influence the behavior of millions of people.
“Action! Action! Action!” That is War Rooms mantra. Bannon repeats it often. It appears on a plaque behind his head when he broadcasts. He sends it with the pieces of content he pushes out on Gettr (“the Twitter killer”) and in his newsletter.
He means it. Unlike Fox News, which, despite its obvious bias, still has the trappings of cable news, War Room has built an explicitly activist media platform or, more precisely, a militarist one. Rather than televisions airbrushed talking heads, Bannon cultivates a feeling that his audience is part of a rolling meeting between a commander and his busy field generals, each one reporting back from their various fronts: the Big Steal strategy (challenging the results of the 2020 election); the precinct strategy (putting ideological foot soldiers in place at the local level to prevent the next election from being “stolen”); the school board strategy (challenging the “woke” curriculum as well as masks and vaccine policies).
If Naomi Wolf was Bannons go-to guest not just to rail against vaccine mandates but now to live-spin Trumps speeches, that meant she had crossed an entirely new threshold, becoming a full-blown player in this world. Shortly after, Wolf would go so far as to join Trumps class-action lawsuit against Twitter as a co-plaintiff, challenging her own ousting from the platform (though she still claimed to “profoundly” disagree with Trump “ideologically”). It was there, on the side of that road, that I became convinced that whatever was happening with her wasnt just relevant to me because of my admittedly niche doppelganger problem it was far more serious than that. If someone like her could be shifting alliances so radically, it seemed worth trying to figure out what was driving that transformation especially because, by then, it was also clear that quite a few prominent liberals and leftists were making a similar lurch to the hard right.
Even after following Wolfs antics for years, or rather, after having them follow me, I was taken aback by the decisiveness of this boundary crossing. How did she a Jewish feminist who wrote a book warning how easily fascism can throttle open societies rationalize this alliance with Trump and Bannon? How, for that matter, did Bannon a proud anti-abortion Catholic who was [once charged with domestic assault](https://www.theguardian.com/us-news/2016/aug/26/steve-bannon-domestic-violence-trump-campaign-ceo) and whose ex-wife told a court that he didnt want their daughters [“going to school with Jews”](https://www.theguardian.com/us-news/2016/aug/27/trump-campaign-ceo-stephen-bannon-denies-antisemitic-remarks) rationalize teaming up with Wolf? (Bannon pleaded not guilty to the domestic assault charges, which were dismissed after his wife did not show up in court, and he denies the remark about Jews.)
Wolf was not merely a regular guest on Bannons War Room; she was fast becoming one of its most recognisable characters. At the peak of their collaboration, even as she ran [her own DailyClout website](https://dailyclout.io/), Wolf would appear on War Room nearly every single weekday for two weeks. They even partnered up on co-branded “Daily-Clout War Room Pfizer investigations” into various vaccine rabbit holes. Clearly, neither was letting past principles stand in the way of this union.
What I was trying to figure out was this: what does this unlikeliest of buddy movies say about the ways that Covid has redrawn political maps in country after country, blurring left/right lines and provoking previously apolitical cohorts to take to the streets? What did it have to do with the “freedom fighters” who were now threatening workers at restaurants that checked for proof of vaccination? Or blocking ambulances outside hospitals that required their staff to get vaccinated? Or refusing to believe the results of any elections that didnt go their way?
Or denying evidence of Russian war crimes? Or, or, or …
The reshaping of politics that is one of Covids primary legacies is far bigger than Wolf and Bannon, of course. The hallucinatory period when the pandemic melded with economic upheavals and climate disasters accelerated all manner of strange-bedfellow coalitions, manifesting in large protests first against lockdowns and then against any sensible health measure that would have helped make the lockdowns unnecessary.
These formations bring together many disparate political and cultural strains: the traditional right; the [QAnon](https://www.theguardian.com/us-news/qanon) conspiratorial hard right; alternative health subcultures usually associated with the green left; a smattering of neo-Nazis; parents (mainly white mothers) angry about a range of things happening and not happening in schools (masks, jabs, all-gender bathrooms, anti-racist books); small-business owners enraged by the often devastating impacts of Covid controls on their bottom lines. Significant disagreement exists inside these new convergences Wolf, for instance, is neither a QAnon cultist nor a neo-Nazi. Yet, galvanised by large-platform misinformers like her and Bannon, most seem to agree that the pandemic was a plot by Davos elites to push a re-engineered society under the banner of the [“Great Reset”](https://www.bbc.co.uk/news/blogs-trending-57532368).
If the claims are coming from the far right, the covert plan is for a green/socialist/no-borders/Soros/forced-vaccine dictatorship, while the new agers warn of a big pharma/GMO/biometric-implant/5G/robot-dog/forced-vaccine dictatorship. With the exception of the Covid-related refresh, the conspiracies that are part of this political convergence are not new most have been around for decades, and some are ancient blood libels. Whats new is the force of the magnetic pull with which they are finding one another, self-assembling into what the Vice reporter Anna Merlan has termed a [“conspiracy singularity”](https://www.vice.com/en/article/v7gz53/the-conspiracy-singularity-has-arrived).
![A central London protest against the UK governments plans for mandatory Covid vaccinations for all frontline NHS workers, January 2022](https://i.guim.co.uk/img/media/e28d275423a96279f0d399a9b3b4b0bad000b9a3/0_0_5123_3415/master/5123.jpg?width=445&dpr=1&s=none)
Covid vaccination protesters take to the streets in the UK … Photograph: Mike Kemp/In Pictures/Getty Images
![A protest against Covid-19 vaccine mandates for students, in Huntington Beach, California, January 2022](https://i.guim.co.uk/img/media/c4cac17f39a48f54e0c6233209a3499641151972/0_0_4000_2661/master/4000.jpg?width=445&dpr=1&s=none)
… and the US. Photograph: Robyn Beck/AFP/Getty Images
In Germany, [the movement often describes its politics as Querdenken](https://blogs.lse.ac.uk/covid19/2021/09/29/querdenken-the-german-anti-lockdown-movement-that-thrives-on-public-distrust/) which means lateral, diagonal, or outside-the-box thinking and it has forged worrying alliances between new age health obsessives, who are opposed to putting anything impure into their carefully tended bodies, and several neofascist parties, which took up the anti-vaccination battle cry as part of a Covid-era resistance to “hygiene dictatorship”.
Inspired by the term, but taking it beyond Germany, William Callison and Quinn Slobodian, both scholars of European politics, [describe these emergent political alliances as “diagonalism”](https://www.bostonreview.net/articles/quinn-slobodian-toxic-politics-coronakspeticism/). They explain: “Born in part from transformations in technology and communication, diagonalists tend to contest conventional monikers of left and right (while generally arcing toward far-right beliefs), to express ambivalence if not cynicism toward parliamentary politics, and to blend convictions about holism and even spirituality with a dogged discourse of individual liberties. At the extreme end, diagonal movements share a conviction that all power is conspiracy.”
Despite claims of post-partisanship, it is rightwing, often far-right, political parties around the world that have managed to absorb the unruly passions and energy of diagonalism, folding its Covid-era grievances into pre-existing projects opposing “wokeness” and drumming up fears of migrant “invasions”, alien abductions, as well as “climate lockdowns”. Still, it is important for these movements to present themselves as (and to believe themselves to be) ruptures with politics-as-usual; to claim to be something new, beyond traditional left/right poles. Which is why having a few prominent self-identified progressives and/or liberals involved is so critical.
When Wolf first started appearing on rightwing media outlets in 2021, her posture was reticent, anything but defiant. She talked about having voted for Biden, stressed that she used to write for the New York Times and the Guardian and appear on MSNBC, described herself as a liberal “media darling”. But now, she said, rightwing shows like Tucker Carlsons and Steve Bannons were the only ones courageous enough to give her a platform.
For their part, every time a fiery rightwing show had Wolf on as a guest, the host would indulge in a protracted, ornate windup listing all of her liberal credentials, and professing shock that they could possibly find themselves on the same side. “I never thought I would be talking to you except in a debate format,” Carlson said the first time he had Wolf on. Then, referring to a tweet in which Wolf said that she regretted voting for Joe Biden, he added, “I was struck by the bravery it must have taken you to write it Im sure you lost friends over it, and for doing this \[show\].” Wolf smiled wistfully and nodded, accepting the heros welcome.
When she appeared on the podcast hosted by one of Britains most vocal climate change deniers and far-right provocateurs, James Delingpole, he began by saying, “This is so unlikely … five years ago, the idea that you and I would be breaking bread … I sort of bracketed you with the other Naomi you know, Naomi Klein, Naomi Wolf, whats the difference?” (Insert silent scream from me.) He went on: “And now, here we are. I mean, I think we are allies in a much, much bigger war. And youve been fighting a really good fight, so congratulations.” Once again, she drank it in, playing her demure role on these awkward political first dates.
As time went on, and Wolf became more of a fixture, she seemed to relish her new persona, eagerly playing the part of the coastal liberal elite that rightwing populists love to hate. The first time she went on his show, she told Bannon, “I spent years thinking you were the devil, no disrespect. Now Im so happy to have you in the trenches along with other people across the political spectrum fighting for freedom … We have to drop those labels immediately in order to come together to fight for our constitution and our freedoms.”
That is the key message we are meant to take away from diagonalist politics: the very fact that these unlikely alliances are even occurring, that the people involved are willing to unite in common purpose despite their past differences, is meant to act as proof that their cause is both urgent and necessary. How else could Wolf rationalize teaming up with Bannon who, along with Trump, normalized a political discourse that dehumanized migrants as monstrous others rapists, gang members and disease carriers? This is also why Wolf leans so heavily and continuously on extreme historical analogies comparing Covid health measures to Nazi rule, to apartheid, to Jim Crow, to slavery. This kind of rhetorical escalation is required to rationalize her new alliances. If you are fighting “slavery for ever” or a modern-day Hitler, everything including the companion you find yourself in bed with is a minor detail.
---
People ask me variations on this question often: What drove her over the edge? What made her lose it so thoroughly? They want a diagnosis but I, unlike her, am uncomfortable playing doctor. I could offer a kind of equation for leftists and liberals crossing over to the neofascist and authoritarian right that goes something like: narcissism (grandiosity) + social media addiction + midlife crisis ÷ public shaming = rightwing meltdown. And there would be some truth to that bit of math.
The more I learn about her recent activities, however, the less I am able to accept the premise of these questions. They imply that when she went over the edge, she crashed to the ground. A more accurate description is that Wolf marched over the edge and was promptly caught in the arms of millions of people who agree with every one of her extraordinary theories without question, and who appear to adore her. So, while she clearly has lost what I may define as “it”, she has found a great deal more she has found a whole new world, one I have come to think of as the Mirror World.
Feminists of my mothers generation find Wolfs willingness to align herself with the people waging war on womens freedom mystifying. And on one level it is. [As recently as 2019](https://www.theguardian.com/books/2019/may/19/naomi-wolf-fight-for-democracy-free-speech-outrages-interview), Wolf described her ill-fated book [Outrages](https://www.theguardian.com/books/2019/may/15/outrages-sex-censorship-criminalised-love-by-naomi-wolf-review) as “a cautionary tale about what happens when the secular state gets the power to enter your bedroom”. Now she is in league with the people who stacked the US supreme court with wannabe theocrats whose actions are forcing preteens to carry babies against their will. Yet on another level, her actions however sincere they may be are a perfect distillation of the values of the attention economy, which have trained so many of us to assess our worth using crude, volume-based matrixes. How many followers? How many likes? Retweets? Shares? Views? Did it trend? These do not measure whether something is right or wrong, good or bad, but simply how much volume, how much traffic, it generates in the ether. And if volume is the name of the game, ex-leftist crossover stars who find new levels of celebrity on the right arent lost they are found.
Wolfs skills as a researcher may be dubious, but she is good at the internet. She packages her ideas in listicles for the clickbait age like her 2020 video “Fascist America, in 10 Easy Steps” and her event “Liberate Our Five Freedoms”. Her website, DailyClout, demonstrates Wolfs success in mastering the art of internet monetization: not only collecting attention but turning that attention into money. She takes advertising; sells swag festooned with a stylized wolf logo (“The power is in the pack”); and charges $7 a month for a “premium” membership and $24.99 a month for a “pro” one.
Seen in this context, the name Wolf chose for her site is telling. Because what Wolf turned into over the past decade is something very specific to our time: a clout chaser. Clout is the values-free currency of the always-online age both a substitute for hard cash as well as a conduit to it. Clout is a calculus not of what you do, but of how much bulk you-ness there is in the world. You get clout by playing the victim. You get clout by victimizing others. This is something that is understood by the left and the right. If influence sways, clout squats, taking up space for its own sake.
And if there is a pattern to the many, many conspiracies Wolf has floated in recent years about [National Security Agency whistleblower Edward Snowden](https://www.theguardian.com/us-news/edward-snowden), about the [2014 Ebola outbreak](https://www.theguardian.com/world/2014/oct/15/ebola-epidemic-2014-timeline), about the arrest of former [International Monetary Fund managing director Dominique Strauss-Kahn](https://www.theguardian.com/world/2011/may/15/dominique-strauss-kahn-imf-sex-charges), about the results of the [2014 Scottish referendum on independence](https://www.theguardian.com/politics/2014/sep/19/scotland-independence-no-vote-victory-alex-salmond), about the [Green New Deal](https://www.theguardian.com/us-news/2019/feb/11/green-new-deal-alexandria-ocasio-cortez-ed-markey) it is simply this: they were about subjects that were dominating the news and generating heat at the time.
![Headshot of author Naomi Klein](https://i.guim.co.uk/img/media/5faa7294800bc5b5cf5a671972abe860db64a85d/0_1073_6258_5976/master/6258.jpg?width=445&dpr=1&s=none)
Millions of people have given themselves over to fantasy. The uncanny thing is thats what they see when they look at us. Photograph: Sebastian Nevols/The Guardian
And nothing had ever been nearly so hot, so potentially clout-rich, as Covid-19. We all know why. It was global. It was synchronous. We were digitally connected, talking about the same thing for weeks, months, years, and on the same global platforms. As Steven W Thrasher writes in [The Viral Underclass](https://www.theguardian.com/us-news/2022/jan/15/omicron-covid-joe-biden-administration), Covid-19 marked “the first viral pandemic also to be experienced via viral stories on social media”, creating “a kind of squared virality”.
In practice, this squared virality meant that if you put out the right kind of pandemic-themed content flagged with the right mix-and-match of keywords and hashtags (“Great Reset”, “WEF”, “Bill Gates”, “Fascism”, “Fauci”, “Pfizer”) and headlined with tabloid-style teasers (“The Leaders Colluding to Make Us Powerless”, “What They Dont Want You to Know About”, “Shocking Details Revealed”, “Bill Gates Said WHAT?!?”) you could catch a digital magic-carpet ride that would make all previous experiences of virality seem leaden in comparison.
This is a twist on the disaster capitalism I have tracked in the midst of earlier large-scale societal shocks. In the past, I have written about the private companies that descend to profit off the desperate needs and fears in the aftermath of hurricanes and wars, selling men with guns and reconstruction services at a high premium. That is old-school disaster capitalism picking our pockets, and it is still alive and thriving, taking aim at public schools and national health systems as the pandemic raged. But something new is also afoot: disaster capitalism mining our attention, at a time when attention is arguably our cultures most valuable commodity. Conspiracies have always swirled in times of crisis but never before have they been a booming industry in their own right.
---
Almost everyone I talk to these days seems to be losing people to the Mirror World and its web of conspiracies. Its as if those people live in a funhouse of distorted reflections and disorienting reversals. People who were familiar have somehow become alien, like a doppelganger of themselves, leaving us with that unsettled, uncanny feeling. The big misinformation players may be chasing clout, but plenty of people believe their terrifying stories. Clearly, conspiracy culture is fueled by deep and unmet needs for community, for innocence, for inside knowledge, for answers that appear, however deceptively, to explain a world gone wild.
“I cant talk to my sister any more.” “My mother has gone down the rabbit hole.” “I am trying to figure out how to get my grandmother off Facebook.” “He used to be my hero. Now every conversation ends in a screaming match.”
*What happened to them?*
When looking at the Mirror World, it can seem obvious that millions of people have given themselves over to fantasy, to make-believe, to playacting. The trickier thing, the uncanny thing, really, is thats what they see when they look at us. They say we live in a “clown world”, are stuck in “the matrix” of “groupthink”, are suffering from a form of collective hysteria called [“mass formation psychosis”](https://www.theguardian.com/technology/2022/jan/27/who-chief-backs-neil-young-over-covid-misinformation-row-with-spotify-joe-rogan) (a made-up term). The point is that on either side of the reflective glass, we are not having disagreements about differing interpretations of reality we are having disagreements about who is in reality and who is in a simulation.
For instance, in July 2022, [Wolf went on a rightwing podcast](https://tntradiolive.podbean.com/e/dr-naomi-wolf-on-kristina-borjesson-show-24-july-2022/) carried by something called Todays News Talk and shared what she described as her “latest thinking”. She had noticed that when she went into New York City, where the vast majority of the population has been vaccinated, the people felt … different. In fact, it was as if they were not people at all.
Naomi Klein explains what led to Doppelganger
“You cant pick up human energy in the same way, like the energy field is just almost not there, its like people are holograms … Its like a city of ghosts now, youre there, you see them, but you cant feel them.”
And she had noticed something even more bizarre: “People \[who are vaccinated\] have no scent any more. You cant smell them. Im not saying like, they dont smell bad or they dont smell like Im not talking about deodorant. Im saying they dont smell like theres a human being in the room, and they dont feel like theres a human being in the room.”
This, she explained to the host, was all due to the “lipid nanoparticles” in the mRNA vaccines, since they “go into the brain, they go into the heart, and they kind of gum it up”. Perhaps even the “wavelength which is love” was experiencing this “gumming up … dialing down its ability to transmit”. She concluded, “Thats how these lipid nanoparticles work.”
That is not how lipid nanoparticles work. It is not how vaccines work. It is not how anything works. Also, and I cant quite believe I am typing these words, *vaccinated people still smell like humans*.
This, obviously, is gonzo stuff, the kind of thing that makes those of us outside the Mirror World feel smug and superior. But here is the trouble: many of Wolfs words, however untethered from reality, tap into something true. Because there is a lifelessness and anomie to modern cities, and it did deepen during the pandemic there is a way in which many of us feel we are indeed becoming less alive, less present, lonelier. Its not the vaccine that has done this; its the stress and the speed and the screens and the anxieties that are all byproducts of capitalism in its necro-techno phase. But if one side is calling this fine and normal and the other is calling it “inhuman”, it should not be surprising that the latter holds some powerful allure.
In my doppelganger studies, I have learned that there is a real medical syndrome called [Capgras delusion](https://www.ncbi.nlm.nih.gov/books/NBK570557/#:~:text=Capgras%20syndrome%20is%20the%20most,close%20to%20him%20or%20her.). Those who suffer from it become convinced that people in their lives spouses, children, friends have been replaced by replicas or doppelgangers. According to the film historian Paul Meehan, the discovery of the syndrome likely inspired sci-fi classics like [Invasion of the Body Snatchers](https://www.theguardian.com/film/2014/oct/27/invasion-of-the-bodysnatchers-1956) and The Stepford Wives. But what is it called when a society divides into two warring factions, both of which are convinced that the other has been replaced by doppelgangers?
Is there a syndrome for that? Is there a solution?
To return to the original question: what is Wolf getting out of her alliance with Bannon and from her new life in the Mirror World? Everything. She is getting everything she once had and lost attention, respect, money, power. Just through a warped mirror. In Miltons Paradise Lost, Lucifer, a fallen angel, thought it “Better to reign in hell than serve in heaven”. My doppelganger may well still think Bannon is the devil, but perhaps she thinks its better to serve by his side than to keep getting mocked in a place that sells itself as heavenly but that we all know is plenty hellish in its own right.
This is an edited extract from Doppelganger: A Trip into the Mirror World by Naomi Klein, published by Allen Lane on 12 September at £25. To support the Guardian and Observer, order your copy at [guardianbookshop.com](https://www.guardianbookshop.com/doppelganger-9780241621301?utm_source=editoriallink&amp;utm_medium=merch&amp;utm_campaign=article). Delivery charges may apply.
Join Naomi Klein for a Guardian Live event on 27 September, in person in Manchester and livestreamed, when she will discuss Doppelganger. [Book tickets here](https://membership.theguardian.com/live/in-conversation-with-naomi-klein-675911839507).
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,229 @@
---
Tag: ["🚔", "🇺🇸", "🇲🇽", "🔫"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.vice.com/en/article/epv54m/the-serial-killer-hiding-in-plain-sight
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-TheSerialKillerHidinginPlainSightNSave
&emsp;
# The Serial Killer Hiding in Plain Sight
**DOWNEY, Calif** — For months, Toby watched the apartment complex in this quiet, working class Los Angeles suburb every chance he got. He came on his lunch break, after work, on the weekends between his daughters playdates. He could tell you the best place to park—by Jimmy's Burgers around the corner—and the nearest liquor store. “Sometimes I spent four or five hours just watching,” Toby said. 
Toby is a project manager, six feet tall with wavy, salt and pepper hair, tanned skin, an athletic build and a gee-whiz feel about him that matches his Subaru Outback. But Toby had become a man possessed. He was convinced that his girlfriends murderer lived in one of the low-rise, green stucco apartments. 
Her murder, in Tijuanas red light district a year and a half earlier in January 2022, had hardly made the news at the time. It was just another death in a city that regularly ranks among the worlds most dangerous. Crimes were rarely solved; even less so when the victims, like Tobys Mexican girlfriend, were sex workers. The disappearance and killing of women in Mexico is a decades-old problem. Instead of being treated as victims, the women themselves are often blamed—because they were out alone at night, or had drunk too much, or even worse, were selling their bodies for sex. Those investigations that do happen are often sloppy and half-hearted, and lack even the most basic forensic work. Famously, the mangled bodies of hundreds of murdered women turned up in the desert around Ciudad Juarez on the Rio Grande River in the 1990s and early 2000s. Only a handful of suspects were ever apprehended. 
But Toby had evidence.
The murder of his girlfriend, Angela Acosta, offered plenty of leads: There was a crime scene, a body, video footage, and cell phone evidence. In the early morning hours after her death—before her body was found and when she was still feared missing—he had tracked her phone to try to glean information about her whereabouts. To his shock, the phone appeared on a residential street in Downey, 130 miles north of Tijuana. 
> He was convinced that his girlfriends murderer lived in one of the low-rise, green stucco apartments.
Toby tried to raise the alarm. Less than 36 hours after Acostas body was found, he shared the information about her cell phone turning up in Southern California with an FBI task force officer, while Acostas mom told Mexican investigators. He pleaded with them to do something, anything. He pleaded again when Acostas Apple Pay was used in the days after her murder—at a Dunkin Donuts and a Vietnamese restaurant. 
“If the FBI had actively contacted the Mexican authorities and said we have information related to a murder in your city, things would have gone very differently,” said Toby, who asked to withhold his last name because of the enormous media attention around the case. Instead, three weeks after his girlfriends body was discovered in a hotel bathroom, another sex worker was brutally murdered in Tijuana. Months later, Mexican authorities declared the murders to be the work of a serial killer. 
U.S. and Mexican authorities hailed the alleged murderers eventual arrest as an example of the countries close cooperation. But there is another story: About how a lackluster investigation, slow-moving justice system, and a time-consuming extradition process allowed a serial killer to continue preying on sex workers.
> Three weeks after his girlfriends body was discovered in a hotel bathroom, another sex worker was brutally murdered in Tijuana. Months later, Mexican authorities declared the murders to be the work of a serial killer.
It also underscores the vulnerability of women in Mexico, a country marred by violence and impunity. More than 70 percent of women over the age of 15 report suffering some kind of violence, according to the governments statistics office. Justice is as elusive as violence is commonplace, leaving more than 90 percent of homicides unsolved.
And in Acostas case, it would take overwhelming evidence, a single-minded boyfriend, and the brutal killings of at least two other women before authorities intervened. 
## THE CLUB
The Hong Kong Gentlemen's Club was the killers hunting ground. 
Open 24 hours a day, seven days a week, the three-story club employs hundreds of strippers designed to meet any mans fantasy: skinny women, thick women, women in their thirties, and 18-year-olds with braces. Topless dancers twerk on a table covered in soap and bubbles as men slap dollar bills on their butts and finger them for extra money. Female strippers penetrate each other with dildos to the delight of clients.
The club, one of Mexicos most famous, attracts clientele from around the world: Russians, Chinese, Mexicans—and especially Americans. VIP customers are picked up at the nearby U.S.-Mexico border in limousines. The club has long been rumored to have cartel ties: During the height of the pandemic, it was one of the few locales to continue operating. It has weathered murders, overdoses and scandals, but the club never stays closed for more than a few days. In August, a manager at the club was executed with a shot to the head while driving in Tijuana. 
The dancers at Hong Kong mostly come from cities far from Tijuana, lured by the appeal of good money. They are poor and trying to make ends meet, or earn enough money to put themselves through school. They make money from tips and the drinks customers buy them—for every drink the club pays them 50 pesos, or roughly $3. The real money comes from prostitution: around $150 for 30 minutes of sex. 
Acosta, Tobys girlfriend, started working at the club in August 2020. She was from Monterrey—another border city 1,500 miles away—and had been attending medical school, but she struggled when the pandemic hit and classes became virtual. She dropped out and moved to Tijuana to work at Hong Kong. 
> Acosta, Tobys girlfriend, started working at the club in August 2020.
On Monday, January 24, 2022, Acosta reported to work in a metallic, blue bikini and knee-high boots topped by rainbow-colored socks. She wore her straight black hair down. She was dancing at the front of the club when an American took notice, said Acostas friend, Hadden, who was with her. The man wore a dark sweater, had a light brown complexion and his black hair was shorter on the sides and longer on the top. He was around 30. He invited Acosta for a drink, and Hadden joined.
The man said he was from the U.S. and primarily spoke in English with Acosta, said Hadden, who requested to only use her first name because of the sensitive nature of the case. He didnt drink alcohol, and was taciturn and serious, she said. The American asked whether the women were interested in astrology. Acosta said she was, and showed him an astrology chart on her phone. The man then said, “It can even tell the day youre going to die,” Hadden recalled. 
After about 20 minutes, Acosta and the American left for Hotel Cascadas, which is used by the club for prostitution. Security officers guard the halls, but mostly to make sure customers dont overstay their allotted time, two dancers who work at the club told VICE News. At 10 p.m., Acosta texted her mom as she always did before going with a client: “404 30 min,” she wrote, referring to the hotel room number.
An hour passed. And then two. Acostas mom texted and called, but the messages stopped going through and her calls went straight to voicemail. Afraid something had happened, she went to the club to look for her daughter. But the managers refused to help, she said. She was told they couldnt disturb room 404 because the customer had reserved the room until 1 p.m. the following day. 
The last text message Acosta sent to her mother before her murder was “404 30 min,” a reference to how long she would be with the client and in what room number. Acostas mom started to panic when she didnt respond (Left). Room 404 the night of Acostas murder (Right). (Photos courtesy of Acostas family)
Acostas mom had already contacted Toby to say she was worried. Toby sped from Los Angeles to Tijuana to also look for Acosta, and when he arrived at Hotel Cascadas around 3 a.m., he pleaded with the staff to review their security cameras. But more than one person told him the security cameras werent working, he said. Hadden said staff at the club told her the same.
“They told us for three hours in a row they were going to check the room,” Toby said. “And then they would come back and say we have to wait. By the third time they told us that, I lost my mind,” he said. He went to room 404 and banged on the door. The only thing he heard was the humming of a mini fridge. 
When hotel staff finally entered the room at noon the following day, on Jan. 25, they found Acosta dead on the bathroom floor, naked. Her mouth had been stuffed with paper to prevent her from breathing. There was no sign of the American.
A security camera captured Acosta and her client in Hotel Cascadas the night of her murder. Prosecutors allege Bryant Rivera was the client and that he killed her. (Photo from complaint filed by the U.S. Attorney's Office for the Central District of California)
As police carried out Acostas body on a stretcher, Toby said that one of the hotels security guards told him, “Shes gone—overdose.” The rumor was repeated over and over again and by the time Acostas friend Hadden returned to the club two weeks later, all of the dancers had been led to believe that Acosta died of a drug overdose, she said.
When Tijuana police interviewed Acostas mom, Clara Flores, they also implied Acosta was to blame, she said. “They suggested that she was a drug addict and involved with the wrong people,” Flores said. “They asked if she was rebellious or if she had any tattoos.”
An autopsy would later determine that Acosta had no trace of drugs or alcohol in her body. And the security cameras at Hotel Cascadas were, in fact, working. When the footage was eventually turned over to authorities, it offered damning evidence. At 10:13 p.m, Acosta and the American entered room 404. At 11:49, the American left the room. The cameras captured no one else entering or leaving the room, according to court records. 
> When hotel staff finally entered the room at noon the following day, on Jan. 25, they found Acosta dead on the bathroom floor, naked. Her mouth had been stuffed with paper to prevent her from breathing. There was no sign of the American.
Thirteen minutes after the customer left room 404, a man fitting his description and wearing the same clothes crossed by foot from Tijuana into San Diego at the San Ysidro Port of Entry.
Months later, Toby learned the Americans identity. He was a U.S. citizen, and, according to prosecutors, his name was Bryant Rivera.
Rivera has not been charged in the U.S. and his lawyer declined to comment.  
## SPIRAL OF GRIEF
Acostas murder sent Toby into a spiral of grief and guilt. If only he could have gotten to her earlier. If only Acosta hadnt worked that night, or had stopped working at the club altogether. The scenarios ran through his head in an endless loop.
The couple met in August 2020 at a party thrown by Hong Kong Gentlemens Club. He was 41, she was 19. The pandemic was raging. 
Toby had started going to the club to escape his isolation and meet women. He is good-looking and the dancers doted on him. “I loved being given for free what others had to pay for,” he said.
The first night Toby met Acosta, they stayed up all night talking about music, and Toby asked her on a date. She was funny and beautiful. Soon, Toby was visiting Acosta every weekend in Tijuana. Three months after they first met, he went to her grandfathers birthday party in Monterrey and met her extended family. He took her on trips around the world—to Colombia, Paris, Berlin, Mexico City. They constantly took videos together—drinking coffee, visiting pyramids, discussing the days plans. 
Toby knows what it looks like—dating a sex worker half his age. He also doesn't care. “We talked and FaceTimed every single day. I thought it was ridiculous. I am 40 years old. I dont really want to Facetime for 45 minutes,” Toby said. “But I never got tired of it. I was in love with her, and I have no doubt that she was in love with me.” 
But they also fought, especially when it came to Acostas work at Hong Kong. Toby wanted Acosta to stop working there. There were the personal reasons, of course—Acosta was having sex with other men—but also he feared for her safety.
Acosta refused Tobys pleas—she didnt want to depend on him. She had rented a space in Tijuana to open a clothing store and needed the money to get it off the ground.
As soon as he learned Acosta was missing, Toby feared the worst. Acosta had recently acquired a new phone, but it was still linked to her previous phone. Using the old phone, he could see her new phone was in Downey. Some 12 hours later—after Acostas body had been found—the phone appeared 50 miles to the east, in Riverside, California.
In the early morning hours after Acostas murder in Tijuana—before her body was found—her cell phone was traced 130 miles away to Downey, Calif. Some 12 hours later, it appeared in Riverside, Calif. (Photos courtesy of Acostas family)
Flores, Acostas mom, said she turned Acostas old cell phone over to Mexican investigators in hopes that they would follow up. But they seemed fixated on the idea that Toby was behind the murder, she said. She told investigators they were chasing a dead end, but privately she worried they would try and blame him. She told Toby not to return to Tijuana anytime soon.
A spokesman for the Baja California Attorney Generals office, which oversees homicide investigations in Tijuana, didnt respond to a request for comment about whether authorities did anything with the information provided by Flores, or if they considered Toby a suspect.
> There were so many corpses in the government morgue in Tijuana that authorities ran out of refrigerators to store Acostas body.
Tijuana was coming off years of record violence, fueled by a brutal cartel war over control of the drug trade. The number of homicides averaged around 2,000 per year, making the border city the bloodiest in all of Mexico. By contrast, New York City—whose population is four times as large—had 433 murders in 2022.  
There were so many corpses in the government morgue in Tijuana that authorities ran out of refrigerators to store Acostas body. By the time they turned it over to Flores, around a week after the murder, it had already started to decompose, she said.
Toby channeled his rage and grief into investigating Acostas murder. A friend put him in touch with a former Riverside County District Attorney, who in turn connected Toby to FBI task force agent Dane Wilkinson.
Toby told Wilkinson about Acostas stolen iPhone and how someone was still using her Apple Pay. Toby wanted to track down the phone—an idea that Wilkinson dissuaded him against because it could undermine evidence. Plus, it was dangerous.
Wilkinson was sympathetic, Toby said, but told him that without a homicide report there was nothing he could do. In the days and weeks after Acostas murder, Toby emailed Wilkinson with increasing desperation. 
*January 26:* “Just the idea that there's the tiniest little thing that I can do for her means the world to me.”
*January 27:* “Her phone is still pinging in the same location.”
*March 30:* “Did the Mexican authorities ever reach out or share any information? I dont expect any details, I just want to know if theyve lifted a finger to help Angy. They have shared nothing with her mother. We still dont even have the autopsy.”
Wilkinson said his hands were tied. “We were basically assisting the Mexican authorities if they requested our assistance,” he emailed Toby on July 15, 2022.
In fact, Mexican authorities had already zeroed in on Rivera as a prime suspect. Its unclear if Wilkinson knew this and didnt want to tell Toby, or if he simply didnt know. Wilkinson didnt respond to requests for comment sent to his email and phone.  
## WHEELS OF JUSTICE
It is, on the whole, much more difficult to be a serial killer these days. Because of improved technology and forensic investigative tools, authorities are much more likely to apprehend would-be serial killers before they have a chance to murder multiple victims. But in Mexico, a mix of impunity, corruption and sheer lack of resources mean perpetrators can go years without being caught. And when they are, the wheels of justice often move at a snails pace. 
Rosario Mosso Castro, a veteran reporter with the Tijuana paper *Zeta,* was the first person to publicly raise the alarm about a possible serial killer hunting sex workers in the city. Her front-page [story in March 2022](https://zetatijuana.com/2022/03/2021-328-mujeres-asesinadas-en-bc/) identified three victims by their first names.
The first was Karen González Argüelles, who worked briefly at Hong Kong Gentlemens Club, according to Mosso Castro. She went missing on August 30, 2020 after going on a date with a client. Her body was discovered a few days later in a trash dump in a canyon that separates Tijuana and San Diego. She had been strangled and beaten to death. She left behind a young daughter.
The second victim was Acosta.
The third woman was murdered just three weeks after Acosta. 
The victim, 25-year-old Elizabeth Martínez Cigarroa, was also a sex worker who worked at Hong Kong. She told her family she was going on a Valentines Day date with an American man that she met at the club. Days later, on Feb. 17, 2022, her naked body was found in the trunk of her Jeep, which had been abandoned on a commercial street in Tijuanas red light district. Security camera [footage](https://www.youtube.com/watch?v=3aBLFcxKf3c) showed a man parking the car.
> Rosario Mosso Castro, a veteran reporter with the Tijuana paper *Zeta,* was the first person to publicly raise the alarm about a possible serial killer hunting sex workers in the city.
One month after Martínez Cigarroas murder, a judge in Baja California—where Tijuana is located—quietly signed a warrant for Riveras arrest, according to documents obtained by VICE News. But the arrest warrant applied only if Rivera were apprehended in Mexico.
Toby didnt know about any of this. Neither did Acostas mom. They had no idea the investigation had advanced at all until November, when Mosso Castro published another blockbuster [story](https://zetatijuana.com/2022/11/asesino-serial-de-mujeres/) that identified the suspected serial killer as 30-year-old “Brayan Andrade Rivera” and included his drivers license photo.
Angela Acosta at the beach. (Courtesy of Acosta's family)
After Mosso Castros story hit the news, the top prosecutor in Baja California confirmed that Mexican authorities were looking for an American. The suspect has “criminal tendencies associated with violent and psychopathic behavior,” then-Attorney General Ivan Carpio Sánchez told reporters. Carpio Sánchez was well-regarded in U.S. circles as being a hard-hitter who stayed up nights working homicide cases. He likened the murderer to notorious serial killer Ted Bundy, a comparison that immediately made headlines across the U.S. 
The implication left by the prosecutor, and repeated in the stories, was that an American serial killer was on the lam. Except Rivera wasnt on the run, according to documents seen by VICE News. Authorities in both countries were already communicating about him—and knew where to find him.
But knowing Riveras whereabouts wasnt enough. To convince U.S. authorities to arrest Rivera, Mexico would have to go through a lengthy extradition process that regularly takes up to a year or longer. It would mean laying out the evidence against him for a U.S. court to review. VICE News tried to reach Carpio Sánchez multiple times to answer questions about the case but never received a response. He resigned from his position as attorney general last month. The same week as his departure, he announced that authorities are investigating Rivera for the murder of a fourth woman in Tijuana whose death had similar hallmarks to the other victims. He didnt say when the murder took place or provide other details. 
## “THAT SERIAL KILLER? I KNOW HIM”
Tobys search for justice became all consuming. He became a self-taught private investigator. He looked up every possible variation of Bryan Rivera, Brayan Andrade Rivera, and Brian Rivera in California. He paid for no fewer than three databases that offered home addresses, telephone numbers and criminal histories. 
He also reached out to Francisco Cigarroa, the brother of the woman murdered three weeks after Acosta. Cigarroa had been extremely vocal after his sisters death and denounced authorities for failing to investigate. Now, Cigarroa confided with Toby that an anonymous person had reached out over Facebook and shared Riveras address in Downey. 
Toby began driving to the apartment complex every chance he could, hoping for a glimpse of Rivera. In May of this year, Toby said he called the FBI field office in Los Angeles and was connected to an agent. He again pleaded for law enforcement to arrest Rivera. “I was calling to say there is a serial killer living here, and I shared his address and name,” Toby said. “He probably thought I was crazy.”
Toby said he never heard back.
He wasnt the only one reporting Rivera. Shannon Sales, a Los Angeles resident, said she also called the FBI after seeing Riveras picture in a story about a serial killer in Tijuana. She recognized him, because it was her ex-boyfriends best friend. 
Rivera and Sales former boyfriend worked together delivering Amazon packages, and Rivera had come to her house many times, Sales said. Rivera was quiet and awkward. He told her that he was in a relationship with a stripper in Tijuana and that he was in love with her. 
“He always wanted to know something from a womans point of view,” Sales said. “Like, do women like to be controlled or do they like guys to be nice?’”
She said she left a voicemail with the FBI and also sent a message through an online portal. She doesnt remember the exact wording but it was something like: “That serial killer in Tijuana? I know him.” She also said she never heard back.
The FBI declined to comment about the phone calls from Sales and Toby, or its involvement in the case. “I cant get into that,” a press officer told VICE News.
## ONE BLOCK AWAY
By late spring, Mexicos request for Riveras provisional arrest and extradition was winding its way through the U.S. justice system, from the State Department to the Department of Justice and eventually to the U.S. Attorney's Office for the Central District of California, which on June 29 asked a federal magistrate judge to approve Riveras arrest based on the evidence provided by Mexico.
On July 6., around 5 a.m., a team of U.S. law enforcement officers surrounded an apartment complex in Downey. They zeroed in on the green, second floor apartment with potted geraniums and coleus outside. Sirens blared as the officers called for the residents to step outside with their hands in the air. Rivera appeared in basketball shorts and a T-shirt, a neighbor told VICE News. Authorities arrested him on the spot. It was still dark out. Riveras arrest came 16 months after a Mexican judge had issued an arrest warrant against him, and 18 months since Acostas murder.  
He was picked up just one block from where Acostas cell phone pinged in the hours when she was still missing. Authorities found several cell phones among Riveras possessions, Toby said an FBI agent told him. Acostas appeared to be among them—a Sierra Blue iPhone 13 Pro Max. The FBI wouldnt confirm whether it had recovered Acostas phone.
The U.S. Department of Justice also declined to answer questions about the case, including when U.S. authorities first learned that Rivera was a murder suspect. But a U.S. government official who agreed to speak on condition of anonymity said the extradition process—including Riveras arrest—has advanced quickly. “Its absolutely moving really fast, and its because the Mexicans have great evidence,” said the official, describing the case against Rivera as “air-tight.”
Tony Robleto, an FBI border liaison officer from 2011-2017, said U.S. authorities likely knew about Rivera within days of Acostas murder. “I guarantee you that within a few days the Mexican authorities had the suspect identified from video and all of that,” Robleto said. “They probably reached out to CBP (U.S. Customs and Border Protection) and said can you check if you have any crossings around this time and look at that.’” 
Robleto said there are steps U.S. authorities could have taken as they waited for Mexico to submit a provisional arrest warrant, like monitoring Rivera or tracking his cell phone in order to alert Mexican authorities if he crossed into Tijuana. Its unclear if that happened.
Riveras arrest took neighbors and co-workers by shock. He was known to keep to himself, but he had never shown signs of a temper or a violent streak. He had never been arrested or charged with a crime. He lived with and took care of his elderly and ailing parents, neither of whom speak English. His father, who is blind, is largely confined to a wheelchair.
A former co-worker at the Mexican restaurant El Taco said Rivera was quiet, almost to the point of mute. He said Rivera got the job at the restaurant because Riveras father—who had worked there decades earlier—arrived with Rivera and asked the manager to give his son a job. “If you tried to talk to him, he would look away and just give yes or no answers. But he was never disrespectful,” said the co-worker, who asked to withhold his name because of the media attention around the case.
> Rivera is expected to be extradited to Mexico in the coming months, marking a triumph for Mexican authorities.
In a court filing, federal public defender J. Alejandro Barrientos requested that the judge release Rivera on bail and noted the lengthy time period it took to arrest him. “Whatever the cause of these delays, the mere fact that they were permitted to occur betray any claim that Mr. Rivera poses an immediate danger to anyone,” Barrientos wrote. 
Riveras older sister also pleaded for her brother to be released to her on bail. “The crimes of which my brother is being accused of do not resemble the character of the boy I grew up with and know," she wrote in a statement to the court, describing him as “shy and reserved.” She said when she moved out, “all the responsibility of taking my parents to their doctor appointments, grocery shopping, running errands, etc., fell onto my brother.” The judge denied bail. Rivera is expected to be extradited to Mexico in the coming months, marking a triumph for Mexican authorities. While extradition is common, its mostly a one-way street of Mexico sending its citizens to the U.S. to face trial and prison time. Rivera is an exception.  
On July 30, two days before Acostas birthday, Toby visited her grave in Tijuana. He had always gone accompanied by someone, but this time he went alone. He stayed for hours. He played songs from their playlist—they had sent each other a song a day since the night they met.
He spread rose petals and tied blue balloons to the white cross at her gravesite. He told her everything—about his efforts to obtain justice for her, and how an American had been arrested for her murder. He cried and screamed and sang her happy birthday. Acosta would have been 22.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,141 @@
---
Tag: ["🎭", "🎵", "🎤", "🇺🇸"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://oldster.substack.com/p/the-source-years
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-TheSourceYearsNSave
&emsp;
# The Source Years
![](https://substackcdn.com/image/fetch/w_1456,c_limit,f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2F1aa7ee69-b401-40e4-9338-f192acdf9fbd_300x386.jpeg)
The issue of The Source for which Michael A. Gonzales wrote a cover story about Jay-Z—the story Dame Dash tried to have the magazine pull.
Hip-Hop, which in this insistence means the music we know as rap, [celebrated its 50th](https://www.nytimes.com/2023/08/10/magazine/hip-hop-50-anniversary.html) [anniversary on August 11](https://www.nytimes.com/2023/08/10/magazine/hip-hop-50-anniversary.html?unlocked_article_code=PmGYAVEmwo3w6veKsEiRNhtCY3X43quuSD9Chy2vyApdQQWPOQs970jxS2B9jSgt8DTmpDEuynnIKpsJHAlxPxUM_iza_4oItpIUfMePFJs1cgnC9sd_yjRI5eQMfMsnWj5hKXbqfGyG4W9-7bmC3b8gwZUsJ4RQpbpjZZLnK_oc8jgnqL95uCzaJwQP6xegpnqcaIjbicCfNxi6DoVlUwKIh_AB-PySiUVofuytiFeOxYJPD3en85HbfDODnjMkB5fArjJOHl2c725DyUbxkDPf9Kn_4tWAU1lm4LK8H5V1CL0f4dfd8WCOy30vaC8C-SR76QcbD8llZsxcSuivps0&smid=url-share)[th](https://www.nytimes.com/2023/08/10/magazine/hip-hop-50-anniversary.html), the date in 1973 when Bronx teenager DJ Kool Herc pioneered the genre and scene while spinning at a party for his little sister Cindy. Hercs homeboy [Coke La Rock](https://www.waxpoetics.com/article/coke-la-rock) talked over a microphone the DJ had left on a table, and both are credited with throwing the first rap jam. Though Im a native New Yorker who grew up in Harlem, it would be a few years before that musical style would trickle down from “the boogie down” Bronx to me.
However, in the summer of 1977, a few weeks after my 14th birthday, I was turned out after hearing Sugar Hill record-spinner [DJ Hollywood](https://mrbellersneighborhood.com/2023/03/harlem-superstar-dj-hollywood) and rapper Lovebug Starski at the annual 151th Street block party. Although that was also the year of the intense heat waves, Son of Sam, a blackout, and the Yankees winning the World Series, it was those hours observing DJ Hollywood that stand out the most for me from that summer. They changed my life.
> ### In the summer of 1977, a few weeks after my 14th birthday, I was turned out after hearing Sugar Hill record-spinner [DJ Hollywood](https://mrbellersneighborhood.com/2023/03/harlem-superstar-dj-hollywood) and rapper Lovebug Starski at the annual 151th Street block party. Although that was also the year of the intense heat waves, Son of Sam, a blackout, and the Yankees winning the World Series, it was those hours observing DJ Hollywood that stand out the most for me from that summer.
In 1987, a decade after that first ear-opening experience, I wrote my first record review, foaming at the pen over the Beastie Boys wild-styled debut record *Licensed to Ill*. That piece was my gateway to [hip-hop writing](https://longreads.com/2019/06/10/its-like-that-the-makings-of-a-hip-hop-writer/). Three years later my friend, writer Havelock Nelson, asked me to co-write a hip-hop guide book with him. Published in 1991, *[Bring the Noise: A Guide to Rap Music and Hip-Hop Culture](https://archive.org/details/bringnoiseguidet00nels/mode/2up)* (Harmony) was an anthology of New Journalism-style essays that combined journalism, autobiography and sociology. Inspired primarily by a few *Village Voice* writers (Greg Tate, Barry Michael Cooper, Harry Allen and Nelson George) who came before us, we were contributing to the then new writing genre that would become known as “[hip-hop journalism](https://pitchfork.com/features/article/how-a-group-of-journalists-turned-hip-hop-into-a-literary-movement/).”
Three months before the books November, 1991 publication date, I was hanging out at a [New Music Seminar](https://en.wikipedia.org/wiki/New_Music_Seminar) turntable battle at Irving Plaza when I ran into two editors from *The Source*—a magazine covering the entirety of hip-hop culture—including politics, founded by Harvard students Dave Mays and Jon Shecter in 1988. They were hawking their publication from a table in the night clubs balcony.
“I would like to write for you guys,” I blurted to editors Shecter and James Bernard. Two days later I sent each an advance copy of *Bring the Noise*, and James contacted me a week later with an assignment to write about Trenton, New Jersey rappers Poor Righteous Teachers (Wise Intelligent, Culture Freedom, Mike Peart and Father Shaheed), whose single, “Rock This Funky Joint,” was a hit.
> ### In 1987, a decade after that first ear-opening experience, I wrote my first record review, foaming at the pen over the Beastie Boys wild-styled debut record *Licensed to Ill*. That piece was my gateway to [hip-hop writing](https://longreads.com/2019/06/10/its-like-that-the-makings-of-a-hip-hop-writer/). Three years later my friend, writer Havelock Nelson, asked me to co-write a hip-hop guide book with him.
While I had interviewed rappers before, none of my previous stories had taken me off the island of Manhattan or outside of conference rooms, recording studios or publicity offices. For my debut *Source* story, I spent the day with those guys at Donnelly Homes, the low-income housing development where they lived, as well as other locations. My story “The Road to Righteousness” was published in the November, 1991 issue. That marked the beginning of my decade-long working relationship and lifelong association with the magazine once dubbed “the *Rolling Stone* of hip-hop,” which included eight cover stories, numerous articles, and a regular column called “Back to the Lab.”
My decade at *The Source* was an adventure—from interviewing Cypress Hill, the blunt-wielding subjects of my first cover story, at a Philadelphia tattoo parlor, to meeting actor Robert De Niro while shadowing Lauryn Hill (who was meeting with director Joel Schumacher at the Tribeca Film Center about a starring role in *Dreamgirls*), to chasing down producer Pete Rock, who kept ducking me out until me the A&R dude from Loud Records tracked him down at producer Marley Marls house in Spring Valley.
[
![](https://substackcdn.com/image/fetch/w_1456,c_limit,f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2Fc61ccfcc-1211-4854-aada-c611dcea51c5_564x755.jpeg)
](https://substackcdn.com/image/fetch/f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2Fc61ccfcc-1211-4854-aada-c611dcea51c5_564x755.jpeg)
Gonzaless cover story for The Source, profiling Lauryn Hill.
The editors, though young and new to publishing, were serious folks. Writers were encouraged to dive deep, spend hours (sometimes days) with our subjects, and compose longer (hopefully more complex and nuanced) stories than what was published in *Word Up* and *Right On*. For those of us with a little gonzo in our style ([Ronin Ro,](https://ifihavent.wordpress.com/category/ronin-ro/) Bonz Malone and [Ghetto Communicator)](https://ifihavent.wordpress.com/2007/02/19/classic-review-enter-the-wu-tang-in-the-source/), it was a luxury to have 3,000 words to spend on one subject. Having wanted to be a writer since I was a boy, my goal was to create the kind of longform journalism published in the *New Yorker* and *Esquire*, except make it Blackadelic as hell.
I wrote in the middle of the night, because I worked a day job in the recreation department of the Catherine Street Homeless Shelter on the Lower East Side. Along with three other aides, we provided a safe space for the kids living there in which to do homework, receive tutoring, play games and, every day at 3:30, watch the hip-hop program *[Video Music Box](https://videomusicbox.com/)*. Most of the rappers I covered were heroes to the kids, but, like Batman, at the shelter, I never revealed my other life.
Though much as been written and discussed about the cover stories I wrote on [Lil Kim](https://www.hachettebookgroup.com/titles/lil-kim/the-queen-bee/9780306925870/?lens=hachette-books)/Foxy Brown (1997), my favorite female rapper feature was an MC Lyte piece published in 1993. Lyte emerged on the scene in 1987 with the anti-crack anthem “I Cram to Understand U (Sam)” followed a year later with her full-length debut *Lyte As a Rock* (1988). Whenever music journalists discuss that fruitful year that gave us so many rap classics, Lyte should always be a part of the [discussion](https://www.rollingstone.com/music/music-news/best-hip-hop-rappers-1988-107337/).  
> ### Three months before the books November, 1991 publication date, I was hanging out at a New Music Seminar turntable battle at Irving Plaza when I ran into two editors from *The Source*—a magazine covering the entirety of hip-hop culture—including politics, founded by Harvard students Dave Mays and Jon Shecter in 1988. “I would like to write for you guys,” I blurted…
I relished the opportunity to interview Lyte when she was promoting her fourth album, *Aint No Other*. Though the lead single was the hard-hitting “Ruffneck,” I preferred “[Brooklyn](https://www.youtube.com/watch?v=nWTP0rF37kk),” her celebration of the borough years before gentrification. “There is a spirit of youthfulness in Brooklyn,’” she told me, “because it reminds me of when I was growing-up there. I just wanted to write about the people who live there, the people who come out of there and the people who are too scared to go there. [Brooklyn](https://crimereads.com/goodbye-brooklyn-michael-gonzales/) is everywhere.”
Like Lyte, there were many in hip-hop who “represented for Brooklyn,” but in the 90s the most popular were the Notorious B.I.G. and Jay-Z. Biggie Smalls (as he was first called) was discovered through a Source column called “[Unsigned Hype](https://medium.com/@syreetagates/the-mvps-of-unsigned-hype-46f8cd04c5f8).” Designed to bring unknown rappers to the attention of record companies, other “unsigned” winners included Mobb Deep, Common, DMX and Eminem. Still, as both a rapper and lyricist, I preferred Bigs two studio albums (*[Ready to Die/1994](https://ifihavent.wordpress.com/2007/05/15/the-mayor-of-st-james-notorious-big-in-the-source-1994/)* and *Life [After Death/1997](https://thimk.wordpress.com/2009/11/01/life-before-death-the-source-april-1997-issue-featuring-the-notorious-b-i-g/)*) over the others.
[
![](https://substackcdn.com/image/fetch/w_1456,c_limit,f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2Fb03fd545-6c60-4e23-acf1-b6be42a23a6b_1488x1965.jpeg)
](https://substackcdn.com/image/fetch/f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2Fb03fd545-6c60-4e23-acf1-b6be42a23a6b_1488x1965.jpeg)
Gonzaless review of Biggie Smalls eerily prescient record, *Life After Death…Till Death Do Us Part*, released shortly the rapper was killed in a 1997 drive-by shooting.
Though I never interviewed Big for the magazine, in March, 1997 I was assigned a review of the second album. Spookily, when I was in the middle of listening to it, Havelock called to tell me Biggie had been killed in Los Angeles. Most believed the murder was tied to the infamous East Coast/West Coast war between Big (and Bad Boy Records) and former friend Tupac Shakur (and Death Row Records), who himself had been killed six months before. While processing my sadness about Bigs death, I wrote my review, finishing it days later.
*The Source* had a rating system that was represented by microphones and *Life After Death* was awarded five mics by the “Mind Squad” editors. There are people who still believe that rating was guided by sentimentality, but Im not one of them.
Eight months after Bigs death, Jay-Z released his second album *In My Lifetime*, *Vol. 1*. Hed been in the middle of recording it when his friend and fellow Brooklyn ambassador was slain. “You know, in this business its really hard to click with other rappers,” Jay told me in 1997, “because its so hard to trust people. But, Big was different. He was one of few people I wanted to hang around and develop a relationship with, because he was a funny dude.”
[
![](https://substackcdn.com/image/fetch/w_1456,c_limit,f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2Fb60cc7d0-c95d-4be7-89e0-cb23100954dd_1664x1046.png)
](https://substackcdn.com/image/fetch/f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2Fb60cc7d0-c95d-4be7-89e0-cb23100954dd_1664x1046.png)
Ads from The Source for, left, Biggie Smalls 1997 record “Life After Death,” and, right, MC Lytes 1993 , “Aint No Other”
After Jays record company Roc-A-Fella partnered with Def Jam, business partner/manager Dame Dash decided to have a listening session for *In My Lifetime*, *Vol. 1* at an all-inclusive resort in the Bahamas, and I got to go. On our second evening on the island, the publicist arranged for Jay and me to sneak off to another hotel where we played blackjack together. Im a bad card player, but Jay, who later confessed he used to hang-out in gambling spots in Brooklyn, played like a professional. “You know playing cards is a lot like life,” Jay said after I lost $100 in minutes. “Sometimes you might have to double your bets, while other times it's best just to walk away.”
\*\*\*
As beneficial as *The Source* was to many artists careers, there was always a rapper, producer or record executive who had beef with it. Either they felt they didnt receive the number of mics they deserved, or were mad that a journalist wrote something they didnt like. The only time I felt unsafe was when *The Source* considered pulling Jays cover in favor of Dr. Dres supergroup The Firm.
Pissed off, Dame Dash sent word insisting the magazine kill the story. I refused. The following day I was at the magazine, editing. When I went to lunch I saw Dame parked in front of the building. He blew his horn and waved me over. “Get in the car; I want to talk to you.”
Nervously, I chuckled. “Im not getting in your car.”
He smiled. “Just get in the car.”
“Ive seen that movie, it never ends well,” I replied and walked away. When I returned a half-hour later, publisher Dave Mays and editor-in-chief Selwyn Hinds were in Dames back seat. In the end it was decided that Jay and The Firm would split the covers.
\*\*\*
At *The Source* I also wrote book reviews, articles on filmmakers, and a 1994 profile on bass player [Bootsy Collins,](https://www.theguardian.com/music/2020/jun/15/bootsy-collins-were-all-funky-just-not-all-of-us-know-it) known for his work with James Brown and George Clintons bands, as well as top drawer solo albums (*Stretchin' Out in Bootsy's Rubber Band*, *Bootsy? Player of the Year*) from the 70s. "The rappers of today remind me of the way we were back then, creating new forms of Blackness,” Bootsy said. “Whatever people told us not to do, we did more of. Rap music kept the funk alive…The same way I play bass, Dre plays his sampler."
> ### When I went to lunch I saw Dame parked in front of the building. He blew his horn and waved me over. “Get in the car; I want to talk to you.” Nervously, I chuckled. “Im not getting in your car.” He smiled. “Just get in the car.” “Ive seen that movie, it never ends well,” I replied and walked away.
In 1998 the lines between soul music and rap blurred with the [Lauryn Hill](https://longreads.com/2018/08/30/lyrical-ladies-writing-women-and-the-legend-of-lauryn-hill/)s solo masterwork *The Miseducation of Lauryn Hill*. We already knew how dope she was as a member of the Fugees, and *Miseducation* proved her passion and ambition. "Being successful has always been more pressing to them (fellow group members Wyclef and Pras), while I was more about making music for love and joy,” she told me “When Marvin (Gaye) created *What's Going On*, even Berry Gordy thought he was crazy. It's that kind of risk-taking that is sorely lacking in music, be it rap or rhythm & blues.”
\*\*\*
[
![](https://substackcdn.com/image/fetch/w_1456,c_limit,f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2F131e6f33-6243-4576-bd8e-737f66d56629_500x639.jpeg)
](https://substackcdn.com/image/fetch/f_auto,q_auto:good,fl_progressive:steep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2F131e6f33-6243-4576-bd8e-737f66d56629_500x639.jpeg)
The cover of the issue of The Source in which Gonzales profiled Trick Daddy.
My *Source* swan song was a Trick Daddy cover story, which involved me chasing the rapper around Miami for a few days while he went to strip clubs, gulped Hennessy, and smoked cocaine-laced blunts. “Trick is a wild boy and I needed a wild boy like you to do the story,” my editor told me. When I finally got to talk to Trick, I realized how much pain he was in from being raised in poverty, battles with neighborhood outlaws, and days in prison, hence the distractions and self-medication.
“Where I grew up, half my graduating class is now dead, a couple are in wheelchairs attached to shit bags, others are doing life sentences,” he said. “That shit was no fairy tale.” Two weeks later, I delivered an intense story, but it damn near killed me. During that time the magazine was also going through their third editorial shake-up in a decade, and it seemed the perfect time to step away.
Most of the #Hip-Hop50 celebrations and tributes have been geared toward folks who rocked the mic or produced the tracks. However, lets take a moment to salute the writers and editors at *The Source* who contributed important work throughout the 1990s and early aughts. For many *The Source* was their bible and we writers were simply spreading the hip-hop gospel. 
##### *Previously [Michael A. Gonzales](https://oldster.substack.com/t/by-michael-a-gonzales) has written three essays for Oldster Magazine: “[Too Cool for Prom](https://oldster.substack.com/p/too-cool-for-prom),” “[Supper at Scribner](https://oldster.substack.com/p/supper-at-scribners)s,” and “[Coffee Shop Days](https://oldster.substack.com/p/coffee-shop-days).” In September, 2021, [he was one of the earlier respondents to The Oldster Magazine Questionnaire™](https://oldster.substack.com/p/this-is-58).*
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,505 @@
---
Tag: ["🥉", "💸", "🎾"]
Date: 2023-09-17
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2023-09-17
Link: https://www.washingtonpost.com/world/interactive/2023/tennis-match-fixing-itf-grigor-sargsyan
location:
CollapseMetaTable: true
---
Parent:: [[@News|News]]
Read:: 🟥
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-Themanwhobuiltthebiggestmatch-fixingringintennisNSave
&emsp;
# The maestro: The man who built the biggest match-fixing ring in tennis
***Game, Set, Fix:*** *This is part one of a two-part series about a match-fixing ring in professional tennis.* [*Read part two here*](https://www.washingtonpost.com/world/interactive/2023/tennis-match-fixing-gambling-investigation-belgium/?itid=lk_inline_enhanced-template)*.*
BRUSSELS
On the morning of his arrest, Grigor Sargsyan was still fixing matches. Four cellphones buzzed on his nightstand with calls and messages from around the world.
Sargsyan was sprawled on a bed in his parents apartment, making deals between snatches of sleep. It was 3 a.m. in Brussels, which meant it was 8 a.m. in Thailand. The W25 Hua Hin tournament was about to start.
Sargsyan was negotiating with professional tennis players preparing for their matches, athletes he had assiduously recruited over years. He needed them to throw a game or a set — or even just a point — so he and a global network of associates could place bets on the outcomes.
Thats how Sargsyan had become rich. As gambling on tennis exploded into a $50 billion industry, he had infiltrated the sport, paying pros more to lose matches, or parts of matches, than they could make by winning tournaments.
Sargsyan had crisscrossed the globe building his roster, which had grown to include more than 180 professional players across five continents. It was one of the biggest match-fixing rings in modern sports, large enough to earn Sargsyan a nickname whispered throughout the tennis world: the Maestro.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/4EWIUELUFXHBHQUXIAH5AWJNWY_size-normalized.jpg&high_res=true&w=2048)
Grigor Sargsyan on his way to the criminal court of Oudenaarde, Belgium, on April 27, 2023. (Sebastien Van Malleghem for The Washington Post)
This Washington Post investigation of Sargsyans criminal enterprise, and how the changing nature of gambling has corrupted tennis, is based on dozens of interviews with players, coaches, investigators, tennis officials and match fixers. The Post obtained tens of thousands of Sargsyans text messages, hundreds of pages of internal European law-enforcement documents, and the interrogation transcripts of players.
By the time he was communicating with the players in Thailand, Sargsyan had honed his tactics. He had learned to nurture the ones who were nervous. He knew when to be businesslike and direct, communicating his offers like an auctioneer.
That was Sargsyans approach on the night in June 2018 that would be his last as a match fixer. He explained to Aleksandrina Naydenova, a Bulgarian player struggling to break into the worlds top 200, that she could choose how severely she wanted to tank a set. He sent the texts in English:
If she lost her first service game, she would make 1,000 euros, he wrote. If she lost the second one, she would make 1,200 euros. It didnt matter if she won the match, only that she lost those games.
Naydenova seemed willing.
“Give me some time to confirm,” she wrote.
[Press Enter to skip to end of carousel](https://www.washingtonpost.com/world/interactive/2023/tennis-match-fixing-itf-grigor-sargsyan?pwapi_token=eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJyZWFzb24iOiJnaWZ0IiwibmJmIjoxNjk0MjMyMDAwLCJpc3MiOiJzdWJzY3JpcHRpb25zIiwiZXhwIjoxNjk1NjE0Mzk5LCJpYXQiOjE2OTQyMzIwMDAsImp0aSI6IjdkNGUwYTY5LWE4MjYtNDQ4ZC1hYWYwLWE2NmVlNDY0M2EwZSIsInVybCI6Imh0dHBzOi8vd3d3Lndhc2hpbmd0b25wb3N0LmNvbS93b3JsZC9pbnRlcmFjdGl2ZS8yMDIzL3Rlbm5pcy1tYXRjaC1maXhpbmctaXRmLWdyaWdvci1zYXJnc3lhbi8ifQ.OLo8XZzQjqukUR6JVCAWcubWU9mfcEpswcht1drvDno&itid=gfta#end-react-aria3655095072-1)
###### Behind the reporting
1/4
End of carousel
As Sargsyan waited, a Belgian police SWAT team was on its way to his parents house. The team had been planning the raid for months, the culmination of a two-year investigation that spanned Western Europe.
Sargsyan placed the phone on his bedside table next to the others he used to message players and associates. He sprawled on his mattress, trying not to fall asleep. Then, from downstairs, he heard hushed voices speaking over walkie-talkies. He cracked open the door to his room and saw several police officers and a Belgian Malinois. The officers spotted their target: a short, chubby man in pajamas. They sprinted up the stairs and into Sargsyans room.
Sargsyan lunged for his phones, but the officers got to them first. They put him in handcuffs and listed the charges against him: money laundering and fraud.
“I know what this is about,” Sargsyan said.
The information on his devices would provide a remarkable window into what has become the worlds most manipulated sport, according to betting regulators. Thousands of texts, gambling receipts and bank transfers laid out Sargsyans ascent in remarkable detail, showing how an Armenian immigrant in Belgium with no background in tennis had managed to corrupt a sport with a refined, moneyed image.
Map
Sargsyan described himself as a kind of Robin Hood, a patron who flouted the law and the ethics of tennis to reimburse its poorest players. The bulk of the sports 1,300 tournaments are far-flung and offer little prize money. Some are so small that they are held on high school courts, paying winners as little as $2,352. And yet those same obscure matches, a long way from the luster of Wimbledon, have become vehicles for billions of dollars in gambling.
When he met recruits, Sargsyan introduced himself as a “sponsor” and a lifelong fan of the sport. He played down the illegality of match-fixing, wondering aloud how something so easy could be classified as a crime.
“It was my entire life,” said Sargsyan, 33, during interviews conducted over 10 hours in which he described his criminal enterprise.
As investigators got closer to arresting him, they concluded that Sargsyan was working on behalf of a transnational criminal syndicate based in Armenia. He was sending millions of dollars to a man in the countrys capital, Yerevan.
The Sargsyan investigation would lead tennis officials to issue a string of lifetime bans and suspensions from the sport. But even as they attempted to purge his network from the tour, more match-fixing alerts poured in.
When it came time to prosecute Sargsyan this spring, an attorney for professional tennis, Mathieu Baert, described the scale of the network to a Belgian courtroom.
“One of the largest match-fixing files ever to surface in the world,” Baert said in his opening statement.
He told the judge about the trove of evidence found on Sargsyans phones. There was more information that eluded investigators, on devices that Sargsyan had used and discarded; his story pointed to a larger problem facing the sport.
“The current results are, thus, the tip of the iceberg,” Baert said.
### II
By 2016, players began whispering about a man known as the Maestro. He went by other names, too: Gregory, Greg, GG and TonTon. Some players knew him as Ragnar, after the Viking warrior.
He would appear, out of nowhere, at a tournament in Valencia, Spain, speaking Spanish, ferrying players to the fanciest restaurant in the city in his Jaguar. Then he was on the sidelines of a tournament in Belgium, speaking perfect Russian. He appeared at a Berlin nightclub with German players. He made reservations at an exclusive restaurant in the South of France with a well-known coach from the United States.
He bought diamond rings for players wives. He paid for flights. He handed out cellphones and the keys to an empty Brussels apartment. Players spoke of his charm, his seemingly endless supply of cash, his ability to shift among five languages. It was as if he strolled out of a European country club and was suddenly a fixture at professional tennis matches.
“Everyone in the tennis world knows that Maestro does match-fixing,” Mick Lescure, a former French pro who collaborated with Sargsyan, told French police in 2019, according to a transcript of the interrogation. “He could make it so that two opponents playing each other are both working for him.”
But none of the players knew much about the Maestro. Very few even knew his real name.
Grigor Sargsyan was born in 1990 in Armavir, Armenia, near the border with Turkey. He came to Brussels when he was 9. His parents cleaned houses and worked in construction. They lived in Saint-Josse, the citys poorest neighborhood and an arrival point for migrants from around the world.
Sargsyan was struck by the wealth and power that lay only a short walk from Saint-Josse. It was less than two miles from the European Parliament and some of the citys most glamorous residences. He and his friends slipped into fancy grocery stores, stealing caviar, lobster and champagne and fleeing with their hands full.
On the weekends, Sargsyan found a place in the citys competitive chess scene, where his life in Saint-Josse felt like a skin he could shed. He showed up in baggy shorts and a T-shirt and rose through the ranks. At 13, after winning a local tournament, he played against Anatoly Karpov, the former world chess champion.
Sargsyan liked the feeling of control chess gave him, he said, the way he could bend the game to his mind. It was, for a while, the thing that made him feel most powerful.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/VQ2I3VVHJKY4OUICYSVBADPER4_size-normalized.jpg&high_res=true&w=2048)
Sargsyan, then 13, plays a match against former chess world champion Anatoly Karpov in 2002 in Brussels. (Family photo)
Then, one day during a game, Sargsyan felt a seed of doubt. He was considering his next move when the stakes suddenly felt overwhelming. One wrong move and he was done, his opponent ready to destroy him. It was a feeling that began to surface almost every time he played: His brain froze, as if a synapse had misfired.
“I became paranoid. You start to think, Everyone is trying to hurt and trap me,’” he said.
At 16, Sargsyan quit chess forever.
Instead, he took to walking aimlessly through the streets of Brussels. Once, he passed a betting office where the French Open was playing on television. It was the first time hed ever watched a tennis match; he was transfixed. When his high school required students to sign up for a sport, Sargsyan chose tennis.
His Armenian friends in Saint-Josse joked that he was trying too hard to assimilate. His French had become impeccable. He dreamed of becoming a powerful lawyer. Now he was playing a sport in which even the scoring system seemed designed to obfuscate.
But when he returned to his neighborhood from tennis practice, Sargsyan would drop his academic French. He wanted to prove his street smarts however he could; in high school, he was caught stealing a live chicken.
“I could play two different characters,” Sargsyan said.
By graduation, his friends who had once stolen lobsters and caviar were fixtures at the neighborhood bookmaker. They fell rapidly into debt by betting on soccer, Sargsyan said, their conversations revolving around their most recent wagers.
“It was all they talked about. They were on their phones constantly checking scores, checking odds,” he said.
What about tennis? he wondered. Sargsyan learned that you could now bet on thousands of obscure matches around the world. Bookmakers were promoting wagers on tournaments at the margins of the sport. In some cases, the winners of these Futures or Challengers tournaments earned barely enough to pay for their hotel rooms. A poor player, he thought, could be a corruptible one.
“It was like I put my finger on the weakness,” he said.
Sargsyan pored over the tour schedules, the hundreds of tournaments in cities so small that he hadnt heard of them, with the same journeymen lugging their own gear from one country to the next. Like him, these players lived on the border between poverty and wealth. Sargsyan thought: What would they be willing to do for a few thousand dollars?
“I needed to try,” he said.
### III
When most people watch a tennis match, they dont see a financial instrument. They see a display of pure athleticism: players returning serves at 130 miles per hour, an alchemy of power and control.
But Sargsyan learned that almost every professional tennis match in the world now serves a second purpose, as a vehicle for gambling. By 2014, you could go online or walk into a bookmakers shop and bet on tens of thousands of matches a year across 65 countries. He learned that a sport that telegraphed its aristocratic bona fides — “a gentlemans game” — was an oddly welcoming place to commit fraud.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/FAHKP6H6TJDHPGW3ML5VP4EMTY.jpg&high_res=true&w=2048)
Sargsyan was part of a great tradition of tennis gamblers, a pastime nearly as old as the sport itself. For decades, they placed wagers on major tournaments, like the U.S. Open and Wimbledon. Bobby Riggs, the U.S. singles champion in the 1930s and 40s, was known to bet on his own matches. “Ive got to have a bet going in order to play my best,” Riggs wrote in his 1973 memoir, “Court Hustler.”
But Sargsyan could tell tennis gambling was about to enter a new era. Widespread internet access and liberalized gambling laws made it possible to place bets on low-level tournaments in distant cities. You could bet on anything: a point, a game, a set.
Professional tennis is divided into three tours: the International Tennis Federation (ITF), covering the lowest tier of competition, and the Association of Tennis Professionals (ATP Tour) and the Womens Tennis Association (WTA), which host the sports most elite matches and the mid-level Challenger series. The ITF and Challenger tournaments are pipelines for young talent and way stations for aging players struggling to stay in the sport. The tours hold more than 60,000 matches a year in cities from Brazzaville, Republic of Congo, to Aktobe, Kazakhstan, to Toulouse, France.
Even as players complained about not making a sustainable income, the ITF invited wagers on its obscure matches, signing a five-year, $70 million deal with Swiss data company Sportradar in 2016 that gave gamblers access to live updates on non-televised matches. That information allowed people like Sargsyan to place real-time bets, even though they couldnt watch the matches.
In the years following the Sportradar deal, gambling on tennis soared. Between 2016 and 2022, wagers surged more than 30 percent to $50 billion; by 2018, more than a quarter of that total was bet on the sports lowest-level matches, according to bookmaker data.
“Whilst these deals have generated considerable funds for the sport, they have also greatly expanded the available markets for betting on the lowest levels of professional tennis,” said an [independent review](https://www.itia.tennis/media/bjuateer/irp-report-final.pdf?itid=lk_inline_enhanced-template) on corruption in tennis commissioned by the professional federations in 2018. It said the deal was undertaken with “insufficient diligence.”
But in 2021, the ITF extended its Sportradar deal for three years, despite earlier concerns from the review board. This March, the ATP Tour signed a similar deal with Sportradar, covering both the worlds top tournaments and mid-level Challenger events, with the latter having already proved vulnerable to match fixers, including Sargsyan.
The ITF says the probability of a match being fixed fell to 0.1 percent in 2022, partly because of the creation of the International Tennis Integrity Agency, which the federation helps fund. Tennis officials argue that providing approved data to gamblers prevents wagers from being placed on distorted or fabricated scorekeeping.
Deals like the Sportradar one are “crucial to integrity protection,” Stuart Miller, the ITFs senior executive director, said in a statement. “Unofficial data presents a greater integrity risk, including supply to unlicensed betting operators over which there is little oversight.”
Andreas Krannich, Sportradars executive vice president, said in a statement that the companys transmission of match data “is an important measure to safeguard integrity to minimize the risk of a black market because the demand is covered and the event is monitored.”
The ATP did not respond to multiple requests for comment.
Tennis now ranks third among the most wagered-on sports in the world, after soccer and basketball. In part because of the games global footprint, more money is bet on tennis than on American football and baseball combined, according to the International Betting Integrity Association.
Even the most elite tennis players have been swarmed with offers from match fixers. Novak Djokovic, one of the top mens players in the world, said he was once offered $200,000 to lose a first-round match in Russia.
Law enforcement agencies around the world have grown increasingly concerned about the link between sports gambling and organized crime. The FBI and Interpol have each formed units to fight match-fixing. The United Nations has gotten involved, calling organized crime “a major and growing threat to sport.”
The professional tennis tour receives roughly 100 match-fixing alerts a year from betting regulators who watch for patterns of suspicious wagers. Thats more alerts than for any other sport — even with matches slipping under the radar, including many of the hundreds that Sargsyan fixed.
Since 2022, tennis officials have banned or suspended 40 players for match-fixing. But dismantling an entire network has proved enormously difficult.
The Sargsyan case, when it emerged, offered rare proof of how entrenched organized crime has become on the tour.
### IV
It started with $350. At the time, it was most of Sargsyans savings.
He put the money in his wallet and climbed into a friends hatchback. The Belgian countryside flashed past him. It was 2014. Sargsyan was 24, a law student at the University of Brussels. He was still living with his parents. His last brush with the police — when hed been arrested for stealing a bicycle — was a few years behind him.
Now he was on his way to recruit his first professional tennis player.
Sargsyan had read about a tournament in Arlon, a small Belgian city on the Luxembourg border. He saw that the total purse for the tournament was less than $25,000 and that many of the players were journeymen who struggled to break even on the tour.
Sargsyan formulated his plan. He would identify a player who seemed desperate — maybe one of the men from Latin America or North Africa. Sargsyan said he assumed they would be the ones most in need. He would offer the player a portion of his winnings to throw a set. The player could still win the match.
Sargsyan arrived at the hotel where the players were staying. He looked across the lobby and saw a crowd of professional tennis players. They were some of the worlds best athletes, men whose groundstrokes were as practiced and fluid as calligraphy. At their level, in almost any other major sport, they would be millionaires.
He walked over to a young player from Latin America who was stringing his racket in a corner of the lobby. Years later, when Sargsyan was asked whether he was nervous during his first approach, he scoffed, as if he was unfamiliar with the feeling.
“I dont get nervous.”
The hotel wasnt glamorous. With the players preparing their own gear, it had the feel of a converted locker room. The ITF tour, Sargsyan would later learn, is full of moments that invert the image most people have of tennis. Players do their own laundry to save money; some share rooms; McDonalds is a popular post-match meal.
“Do you like gambling?” Sargsyan asked, and the player immediately seemed to know what he was talking about.
They walked outside. Sargsyan made his offer. He would pay the player to lose the second set of the match 6-0. The man accepted instantly, Sargsyan recalls.
The odds on the match were 11 to 1. The player tanked, just as he said he would, missing even easy returns, double-faulting, performatively slapping balls into the net. Sargsyan walked away with nearly $4,000. He paid the player, whom he would not identify, about $600.
“It was an incredible feeling,” he said.
If there was something about the rush of competition that had almost broken him in his chess career, filling him with an overwhelming sense of losing control, fixing tennis matches felt like a renewed source of power.
He immediately planned on doing it again. He gave the Latin American player a ride to his girlfriends house along the North Sea, euphoric as they sped through the countryside.
“Do you know any other players who might be interested?” Sargsyan asked him.
“Oh,” the player said, “definitely.”
### V
The message popped up on Karim Hossams phone from an unknown Belgian number.
“Hey bro.”
Hossam immediately knew who it was. Match fixers could sense when players were most vulnerable, most in need of cash. And none of them more acutely than the man people called Gregory, who once again had timed his approach well.
Hossam was desperate.
He had been the 11th-best junior tennis player in the world and then the best professional player in Africa. The Egyptian was tall, with a powerful serve and a fierce forehand. His rise to stardom seemed inevitable.
But by the time he was 22, in 2016, Hossam had realized how difficult it was to survive as a professional tennis player outside the worlds top 100. It cost thousands of dollars to travel between tournaments. He had to buy his own rackets and shoes.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/GQN6MLSWLGEECEWQB5GUXUYIQM_size-normalized.jpg&high_res=true&w=2048)
Karim Hossam plays a forehand in a first-round singles match at the 2012 French Open Junior Championships. (Matthew Stockman/Getty Images)
The ITF tour was the most common road to the sports highest ranks. A successful young player could enter an ITF Futures tournament one weekend and Wimbledon the next. But to Hossam, the tours structure had come to seem absurd. Even if he won a tournament, he could barely cover his expenses. Most of the time, he spent more money to play tennis than he earned.
His family had bankrolled him for years, but those funds were running out. After the 2011 Arab Spring uprising in Egypt, his familys lumber plant outside Cairo had suffered. Then, in 2015, his father was diagnosed with cancer. The medical bills piled up.
So when the text message arrived from the man who called himself Gregory, Hossam was frantically looking for a way to stay afloat.
Sargsyan had gotten Hossams number from a Moroccan player named Younès Rachidi, who would later break the inauspicious record for the [most match-fixing offenses in the sports history](https://www.itia.tennis/news/sanctions/younes-rachidi-lifetime-ban/?itid=lk_inline_enhanced-template): 135 in less than 10 months. Rachidi told The Post he regrets his role in Sargsyans ring. But he said he knows other players who fixed even more matches than he did who were never caught.
“Its like doubling your money. It feels perfect, and no one knows,” Rachidi said. “You think, Thats it? The whole world is rose-colored.”
Back then, though, he was just a friend of Hossams, another journeyman on the ITF tour who saw match-fixing as a way to stay afloat.
“I trusted Rachidi, and so I responded to Gregory,” Hossam later said in an interview.
The first time, in Sharm el-Sheikh, Egypt, Sargsyan asked whether Hossam would lose a set for $2,500. Hossam agreed, but he walked onto the court dizzy with dread. It felt strange to lose intentionally after a lifetime of being obsessed with winning.
“It felt like everyone was watching me. I felt like I was doing something wrong, like it wasnt normal. I invested my whole life in tennis. I was playing for 15 years, and then, all of a sudden, Im selling matches to get money.”
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/7ZKLUKAOIJCZJDJG2ETFCRVKDI.jpg&high_res=true&w=2048)
He looked at the chair umpire. Was it in Hossams head, or did the umpire look suspicious? The crowd, too, seemed to stare at him askance.
“Youre basically an actor on the court. Like if Im losing love-30, then maybe I can play one point to make it look a little bit real and then miss the point after.”
After he threw his first set for Sargsyan, he threw another — and then another.
“Grigor used to text me like: Hey, Karim, I have a really good offer for you — do you want to lose the first set 6-1, for example, and get this amount of money? He gives you options. And then if youre a seed or you have a better ranking, obviously, he gives you a better offer because everyone is betting on you to win.”
Sometimes Sargsyan would ask him to throw a match against a much weaker player. That was particularly difficult.
“Obviously, if youre playing against a solid player, its very easy to sell a match,” Hossam said. “I can give him short balls and make him attack, you know, like make him play more aggressive, give him easy balls.”
“But if youre playing against someone who is just missing balls, then I have to go out of my way, you know, like I have to make a double fault.”
### VI
Hossam still knew Sargsyan only as Gregory, the rich kid who flew across Europe to watch tennis. The two eventually met in Valencia, where Hossam was playing a tournament. Sargsyan was exactly as Hossam had imagined: an impeccably dressed Belgian man in his 20s, oozing charm. He invited Hossam to one of the best restaurants in the city.
“Hes just this really cool guy,” Hossam later said. “Easy to talk to, well-connected, generous.”
Hossam had met other match fixers on the ITF circuit. Some of them were professional players who gambled on the side. There was the player from Belarus who nagged him incessantly in the locker room; the Greek player who was notorious for not paying people who threw their matches at his request. Hossam had fixed a few matches with those men. But Sargsyan was different.
He paid quickly in cash or MoneyGram transfers. He responded to messages instantly, no matter when they were sent. He seemed to know everyone. So when Sargsyan proposed that Hossam recruit more players into the ring for a commission, Hossam didnt hesitate.
Hossam knew many of the best players from across the developing world, most of whom faced the same financial struggles he did. At major tournaments, they watched the giants of the game walk by in the locker room — Djokovic, Rafael Nadal, Roger Federer, some of the wealthiest men in the history of sports. The gulf between the superstars and the journeymen felt at once narrow — a stronger serve, more consistent groundstrokes — and impossibly wide.
To Hossam, getting caught seemed inconceivable. He was so certain of the plans infallibility that he decided to recruit his brother into Sargsyans ring.
Youssef Hossam was four years younger and even more talented than Karim. He was relentless, dragging himself across the court to the point of exhaustion, even if he was losing. The family paid for him to train at the Mouratoglou Tennis Academy in southern France with Patrick Mouratoglou, Serena Williamss former coach. In 2017, Youssefs first full year playing professionally, he was immediately a star. He won five ITF tournaments, rocketing into the worlds top 300.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/3YZN54J5P3S2JP5YYE32A532JU.jpg&high_res=true&w=2048)
Youssef Hossam trains on a court in suburban Cairo in September 2017. At the time, the 19-year-old held an ATP 334 ranking, (Khaled Desouki/AFP/Getty Images)
“I believe I have the tennis to make the top 100. I dont see a huge gap,” he told a reporter at the Australian Open in 2016. “I will need support, not just financial, although that is important because traveling to tournaments is very expensive.”
Youssef had grown up worshiping his older brother. But the first time Karim broached the idea of fixing a match, Youssef recoiled, he said in an interview.
“I was like, What the hell is this?’”
Still, Youssef knew that his tennis academy cost thousands of dollars a month. It was more than Youssef made, even as he surpassed his brother on the tour. With his familys finances deteriorating, Youssef realized that without an infusion of cash, he would have to quit tennis.
“I was like, Okay, I cannot be selfish. My brother and my dad are helping me, paying that amount of money for my practice, paying for this and that. This is the least I can do, you know, to help them financially.”
The first time he agreed to fix a match was in Cairo in 2017. Karim explained that they could make $4,000 if Youssef lost the first set 6-2 to a much lesser player. It was enough to cover a few weeks at his training camp.
“It was the first time I had to step on the court and actually give like 20 or 30 percent,” Youssef said. “I was like, No, this is not right. But there are no options, you know, like we have zero money. If you fix this, you make money, you go practice, life goes on. If you dont fix this, we dont have money and you just stay at home.”
Still, Youssef struggled to lose. His opponent was weak. To throw a set, Youssef began making errors that only a novice would make.
“I would just miss, hit the forehand as hard as I could, two meters out,” he said.
But even then, he almost won too many games in the set.
“I had to do a couple extra double faults,” he said.
Hossam match
The next time Youssef threw a match was in Sharm el-Sheikh. Karim walked over to the fence and beckoned his brother in the middle of a game. He had been texting with Sargsyan. There was an opportunity for a fix.
“Im on the court. I will ask my brother now,” Karim texted Sargsyan.
Their father was in the ICU. Youssef was having trouble focusing. He slammed his racket on the ground.
“Karim came to the fence and he asked me, Bro, do you want to lose the second set?*”*
“And I was like, Yeah, whatever, man. I dont give a s---. I just wanted to pull out.”
It was a moment that would eventually bring both of their careers crashing down; Karims courtside approach, the texts and Youssefs dramatic loss were overwhelming evidence of their match-fixing plan.
And yet, even after the brothers were caught, Sargsyan, seemingly untouchable, continued building his ring.
### VII
One of the first things Sargsyan did with his new fortune was buy a Rolex. It wasnt just that he liked the watch — though he did. It was an investment in the image he was trying to cultivate.
“These players, theyre obsessed with Rolex,” he said.
Sargsyan realized that he needed to project an aura of effortless, generational wealth to persuade players to throw matches as he prescribed. He often wore Hugo Boss from head to toe. He learned what bottles of wine to order, which restaurants served the best langoustines, which hotel in Barcelona had the best view of the Mediterranean.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/YMD7KI3Y25GPRIBRFGSPMHZTRU.jpg&high_res=true&w=2048)
He learned to wear the watch nonchalantly, as if he had forgotten it was on his wrist. But every move Sargsyan made was calculated. When he began speaking to a recruit, he would make sure the watch was covered by a shirt sleeve. Then he would casually ensure it became visible, unveiling it so the player couldnt help but notice.
“Like it was nothing,” Sargsyan said.
It was the same with his Jaguar.
“Its actually not as expensive as people think,” he said. “But it sends a message.”
Sargsyan picked up on small details that hinted at a players desperation. There was the French player struggling to buy a diamond engagement ring, so Sargsyan paid for it. There was the Chilean player who couldnt afford to fly his mother to his wedding, so Sargsyan bought the ticket.
Then there were the nightclubs and the dinners. There were the purchases that he still doesnt want to discuss publicly but that make him smile boyishly in reminiscence. Sometimes he would pay players more than he promised them. Other times, even if they failed to deliver, he would still hand them the cash.
“It was about keeping them happy,” he said.
Sargsyans face broadcast his joy in the life he had built out of nothing. He laughed easily, as if he saw levity in the world that was visible only to him. There was a kind of magnetism in that; spending time around Sargsyan was like being invited to a party that moved alongside him, insulated from consequence.
Still, he learned that some players, for personal reasons, were incorruptible. Being rejected was an inevitable part of being a match fixer.
“Sometimes you ask a guy how hes surviving on the tour and he tells you his father is a billionaire,” Sargsyan said. “In those cases, you just move on.”
Sargsyan knew that tennis was full of match fixers. His network would grow only if he was good to his roster. He often delivered the cash himself at train stations across Western Europe. In one month, authorities would later recount, he traveled between Belgium and Paris 22 times with envelopes of cash.
Some players, buoyed by Sargsyans approach, encouraged him to gamble more money on their matches when the odds were good.
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/Z6K4TE3ACCYG34MO5P4PWEB4VY_size-normalized.jpg&high_res=true&w=2048)
Aleksandrina Naydenova playing in a doubles semifinal match at the WTA Prudential Hong Kong Tennis Open in October 2016. (Power Sport Images/Getty Images)
“Put 1,000 more. Go fast,” Naydenova, the Bulgarian player, instructed Sargsyan in one message in 2016. Naydenova could not be reached for comment.
Naydenovas payment arrived promptly in Bulgaria by MoneyGram, addressed to her parents from a man in Armenia, according to receipts obtained by investigators. The sender was the same person who had dispatched much of Sargsyans cash around the world. His name was Andranik Martirosyan.
None of the players had heard of him. Most paid little attention to where the money came from. But Martirosyan would turn out to be a critical figure. Belgian investigators would later write that he “was in charge of the financial part of the criminal organization.”
Digital bank accounts linked to Martirosyan would receive a significant portion of Sargsyans profits — at least 9 million euros in two years, according to wire transfer receipts obtained by investigators.
And yet Martirosyan, who declined to comment, appears to have been working with Sargsyan from an Armenian prison.
In 2015, just as Sargsyan was building his network, Martirosyan received a six-year prison sentence for assaulting several men on the dance floor of the Caliente nightclub in Armenias capital, Yerevan. The official charge was hooliganism, according to court records.
Its unclear how he and Sargsyan met, or how Martirosyan operated from prison. The two men exchanged messages constantly. Once, when Sargsyan expressed concern about another criminal organization, it was Martirosyan who tried to reassure him.
“They will threaten with words, but when it comes down to carrying out what they say, they will do nothing,” he wrote in a text.
“No,” Sargsyan responded. “You are mistaken.”
### VIII
By 2017, Sargsyan had set a goal for himself: He wanted the biggest match-fixing network in tennis. He dreamed of opening his own tennis club in the South of France.
“I asked myself, How can I industrialize this?’”
He needed someone who could bring him not just one or two players, but an entire raft of talent.
In the Netherlands, he met Sebastian Rivera, a third-generation professional player from Chile who appeared to be headed to the top tier of tennis coaching. Rivera was lean, with long black hair that he wore in a bun or under a bandanna. He explained his coaching philosophy on his website: “There is a difference between good players and good competitors.”
Rivera had secured a job with Sean Bollettieri-Abdali, the son of legendary coach Nick Bollettieri, at a tennis club in Newport Beach, Calif. Bollettieri, who had coached Andre Agassi, Venus and Serena Williams, and Boris Becker, worked frequently alongside his son. Rivera was in charge of training several of the programs best prospects. His coaching was incisive. He could watch someone play for a few minutes and come up with an astute diagnosis of their game.
“He was a really good coach. On the court, he was high-energy, very strict, with a good work ethic,” said Bollettieri-Abdali, who managed the club. “He had all of the attributes.”
But not long after Rivera began working at the club, Bollettieri-Abdali began to suspect that something about him was off.
“I knew that guy was f---ing trouble.”
Rivera seemed to know every promising young player in Latin America, which made him a major asset to the Bollettieri expansion efforts. It was that same network that made him valuable to Sargsyan.
When the two met in the Netherlands, they sized each other up. Sargsyan had come to see tennis as a world divided between the rich and the poor. Was Rivera poor enough that he could be tempted?
Rivera looked at Sargsyan.
“The guy was super-nice and polite, like a country club kid in a polo,” Rivera recalled in an interview. “He looked 23 years old. He has his Rolex. Hes this rich kid who says hes there to help players*.”*
Rivera listened to Sargsyans pitch. It was the beginning of a lucrative partnership.
At the Bollettieri club, Rivera asked players if they were interested in throwing matches. Between practice sessions on the pristine, palm-tree-lined courts, he asked other coaches if they were willing to recruit prospects into Sargsyans network.
“He would come up to us and ask, Do you want to make extra money on the side?’” recalled one coach, who spoke on the condition of anonymity because he worried about angering Rivera. “He wanted us to introduce him to players who trusted us.”
In 2017 and 2018, Rivera would bring Sargsyan 34 players from the Bollettieri club and beyond including six Americans, according to Belgian authorities, receiving at least $90,000 in commission. Their relationship is captured in hundreds of pages of text messages later seized by investigators and provided to The Post.
“Sebass, tell him to say his price for the second set,” Sargsyan said about a singles match he wanted a player to throw.
“Ok bro,” Rivera said.
A few messages later, after Rivera consulted with the player, the deal was done.
“Confirmed,” Rivera wrote.
The two became close, texting at all hours. Sargsyan sometimes got upset with Rivera when he wasnt available in the middle of the night.
“Sebass, you fall asleep,” he wrote, adding a sad-face emoji. “Like this, it is impossible to work.”
In the interview, Rivera came up with an elaborate explanation for his involvement. He said he was working undercover for a BBC journalist doing an investigation into match-fixing.
“Chris something,” he said. “I wish I could remember his last name.”
Rivera said he maintained the relationship with Sargsyan, continuing to connect him to players, so that no one would suspect he was working with a reporter to document corruption in the sport.
“To keep it cool, you know?” he said.
When asked about Rivera, the BBC said in a statement that it “has seen no evidence to substantiate these claims. … The BBC has high journalistic standards and we have strict processes and guidelines in place that we must adhere to.”
In 2016, in a joint investigation, the BBC and BuzzFeed reported that several top players were suspected of fixing matches, even though they were never punished.
One of the players in Riveras circle was Dagmara Baskova, a top professional in Slovakia. She had gone pro when she was 15. On the tour, she was drawn to players who, like her, didnt come from wealth.
“A lot of the players, especially the Russians, come from rich families,” she said. “For me, tennis was an escape from life.”
Baskova met Rivera first in Sharm el-Sheikh and then again in Tunis. They smoked hookah in his hotel room. He started coaching her informally, and she could immediately see his talent. “He can read your tennis instantly,” she said. “Hell tell you how to use your weapons.”
![](https://img.washingtonpost.com/wp-apps/imrs.php?src=https://arc-anglerfish-washpost-prod-washpost.s3.amazonaws.com/public/4ZRDJNYBXBBJ5GI3NNOVESNNHU.jpg&high_res=true&w=2048)
By 2017, when she was 26, Baskovas knee was badly injured. The surgery was more than she could afford, and even with the best medical care, she would never return to top form. She could tell her career was over.
She ran into Rivera at the hotel.
“I told him my knee was hurting, and he said, You know, you can sell your match,’” she recalled in an interview.
Rivera gave her three options for how badly to lose a set. Losing, she learned, was easy.
“For example, when I was serving, I just hit a double fault on purpose,” she said.
The money arrived via MoneyGram from Armenia: $10,000 for the fix. She did it again and again. By the time she was done fixing matches a few months later, she had made an effortless $50,000, she said. She dreamed of starting a tennis club in Thailand.
“It was the money I needed to prepare for my life beyond tennis,” she said.
### IX
As his network grew, Sargsyan became suspicious that the police were on to him. He believed he was being followed — into a pizzeria, a park where he strolled after midnight, a train station in Paris. He worried about his phones being wiretapped.
Rivera could tell that Sargsyan was growing more anxious, the carefully constructed veneer of wealth and insouciance occasionally wearing thin. Sargsyan would sometimes snap when players didnt lose after promising to, or when they made it obvious they were losing on purpose. When one match in Egypt went awry, Sargsyan sent Rivera a flurry of threatening texts.
“Im mad.”
“The f--- Im doing this since 3am.”
“I will break his legs.”
It would turn out that Sargsyans fears were not unfounded. He was being watched.
***Game, Set, Fix:*** *This is part one of a two-part series about a match-fixing ring in professional tennis.* [*Read part two here*](https://www.washingtonpost.com/world/interactive/2023/tennis-match-fixing-gambling-investigation-belgium/?itid=lk_inline_enhanced-template)*.*
##### About this story
Pauline Denys in Brussels and Koba Ryckewaert in Oudenaarde, Belgium, contributed to this report.
Illustrations by Anson Chan. Design and development by Andrew Braford. Data reporting by Steven Rich. Graphics by Artur Galocha. Research by Cate Brown. Design editing by Joe Moore. Photo editing by Olivier Laurent. Copy editing by Martha Murdock and Shibani Shah. Story editing by Peter Finn. Project editing by Reem Akkad.
**Game, Set, Fix:** In a two-part investigation, The Washington Post examined one of the biggest match-fixing rings in modern sports and the biggest match-fixing ring in tennis history.
**Methodology:** To conduct this investigation, reporters at The Post spoke to European police officers and prosecutors. The stories are also based on dozens of interviews with players, coaches, police investigators, tennis officials and match fixers. Reporters analyzed over 30,000 text messages and hundreds of pages of European law-enforcement documents, including interrogation transcripts of players, images and police investigative files revealing the depth and breadth of Grigor Sargysans relationships with tennis players and the gamblers who bet on their games. Data on betting markets and irregular betting was collected from regulators around the world. Point-by-point data on matches was compiled for instances of known fixing to examine how agreed-upon fixes in text messages played out on the court. Reporters also created a data set on winnings in fixed matches to analyze against the amounts players made from fixing matches, sets or games.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -12,7 +12,7 @@ CollapseMetaTable: true
--- ---
Parent:: [[@News|News]] Parent:: [[@News|News]]
Read:: 🟥 Read:: [[2023-09-12]]
--- ---

@ -91,7 +91,7 @@ style: number
#### Dairy #### Dairy
- [x] 🧈 Beurre ✅ 2023-06-17 - [ ] 🧈 Beurre
- [x] 🧀 Fromage à servir ✅ 2023-06-12 - [x] 🧀 Fromage à servir ✅ 2023-06-12
- [x] 🧀 Fromage rapé ✅ 2023-03-06 - [x] 🧀 Fromage rapé ✅ 2023-03-06
- [x] 🧀 Parmeggiano ✅ 2023-06-17 - [x] 🧀 Parmeggiano ✅ 2023-06-17
@ -107,7 +107,7 @@ style: number
#### Breakfast #### Breakfast
- [x] 🥯 Bread ✅ 2023-08-12 - [x] 🥯 Bread ✅ 2023-08-12
- [x] 🍯 Honey/Jam ✅ 2023-06-17 - [ ] 🍯 Honey/Jam
- [x] 🍫 Nutella ✅ 2022-02-15 - [x] 🍫 Nutella ✅ 2022-02-15
- [x] 🥚 Eggs ✅ 2023-06-12 - [x] 🥚 Eggs ✅ 2023-06-12
@ -173,6 +173,8 @@ style: number
- [x] 🧂 Cinamon sticks ✅ 2022-11-15 - [x] 🧂 Cinamon sticks ✅ 2022-11-15
- [x] 🧂Ground cinamon ✅ 2023-03-11 - [x] 🧂Ground cinamon ✅ 2023-03-11
- [x] 🧂Ground cloves ✅ 2022-08-05 - [x] 🧂Ground cloves ✅ 2022-08-05
- [ ] 🧂 Chili flakes
- [ ] 🧂 Sesame seeds
&emsp; &emsp;
@ -192,7 +194,7 @@ style: number
#### Condiments #### Condiments
- [x] 🌭 Mustard ✅ 2022-12-24 - [x] 🌭 Mustard ✅ 2022-12-24
- [x] 🫒 Olive oil ✅ 2022-07-30 - [x] 🫒 Olive oil ✅ 2023-09-13
- [x] 🥑 Avocado oil ✅ 2023-06-15 - [x] 🥑 Avocado oil ✅ 2023-06-15
- [x] 🥗 Vinegar ✅ 2023-01-19 - [x] 🥗 Vinegar ✅ 2023-01-19
- [x] 🥣 Beef broth ✅ 2022-08-05 - [x] 🥣 Beef broth ✅ 2022-08-05
@ -229,7 +231,7 @@ style: number
&emsp; &emsp;
- [x] 🚿 shower gel ✅ 2023-03-26 - [x] 🚿 shower gel ✅ 2023-09-13
- [x] 🧴shampoo ✅ 2023-03-26 - [x] 🧴shampoo ✅ 2023-03-26
- [x] 🪥 toothbrush ✅ 2022-02-06 - [x] 🪥 toothbrush ✅ 2022-02-06
- [x] 🦷 toothpaste ✅ 2023-03-26 - [x] 🦷 toothpaste ✅ 2023-03-26

@ -85,7 +85,8 @@ style: number
- [x] ♻ [[Household]]: *Paper* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-05-23 ✅ 2023-05-22 - [x] ♻ [[Household]]: *Paper* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-05-23 ✅ 2023-05-22
- [x] ♻ [[Household]]: *Paper* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-05-09 ✅ 2023-05-08 - [x] ♻ [[Household]]: *Paper* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-05-09 ✅ 2023-05-08
- [x] ♻ [[Household]]: *Paper* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-04-25 ✅ 2023-04-24 - [x] ♻ [[Household]]: *Paper* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-04-25 ✅ 2023-04-24
- [ ] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-09-19 - [ ] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-10-03
- [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-09-19 ✅ 2023-09-18
- [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-09-05 ✅ 2023-09-04 - [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-09-05 ✅ 2023-09-04
- [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-08-22 ✅ 2023-08-22 - [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-08-22 ✅ 2023-08-22
- [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-08-08 ✅ 2023-08-07 - [x] ♻ [[Household]]: *Cardboard* recycling collection %%done_del%% 🔁 every 2 weeks on Tuesday 📅 2023-08-08 ✅ 2023-08-07
@ -108,7 +109,8 @@ style: number
- [x] 🛎️ :house: [[Household]]: Pay rent %%done_del%% 🔁 every month on the last 📅 2023-06-30 ✅ 2023-06-25 - [x] 🛎️ :house: [[Household]]: Pay rent %%done_del%% 🔁 every month on the last 📅 2023-06-30 ✅ 2023-06-25
- [x] 🛎️ :house: [[Household]]: Pay rent %%done_del%% 🔁 every month on the last 📅 2023-05-31 ✅ 2023-05-30 - [x] 🛎️ :house: [[Household]]: Pay rent %%done_del%% 🔁 every month on the last 📅 2023-05-31 ✅ 2023-05-30
- [x] 🛎️ :house: [[Household]]: Pay rent %%done_del%% 🔁 every month on the last 📅 2023-04-30 ✅ 2023-04-26 - [x] 🛎️ :house: [[Household]]: Pay rent %%done_del%% 🔁 every month on the last 📅 2023-04-30 ✅ 2023-04-26
- [ ] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-18 - [ ] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-25
- [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-18 ✅ 2023-09-15
- [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-11 ✅ 2023-09-11 - [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-11 ✅ 2023-09-11
- [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-04 ✅ 2023-09-04 - [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-09-04 ✅ 2023-09-04
- [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-08-28 ✅ 2023-08-26 - [x] 🛎 🧻 REMINDER [[Household]]: check need for toilet paper %%done_del%% 🔁 every week 📅 2023-08-28 ✅ 2023-08-26

@ -51,7 +51,8 @@ style: number
[[2023-07-13|This day]], ripped hoof (front right) is healing well [[2023-07-13|This day]], ripped hoof (front right) is healing well
> On track to heal fully by the end of the Summer season > On track to heal fully by the end of the Summer season
- [ ] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-09-12 - [ ] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-09-26
- [x] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-09-12 ✅ 2023-09-12
- [x] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-08-29 ✅ 2023-09-01 - [x] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-08-29 ✅ 2023-09-01
- [x] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-08-15 ✅ 2023-08-15 - [x] :racehorse: [[@Sally|Sally]], [[2023-07-13 Health check|Note]]: Check front hoofs healing 🔁 every 2 weeks 📅 2023-08-15 ✅ 2023-08-15

@ -36,7 +36,7 @@ id Save
&emsp; &emsp;
<span class='ob-timelines' data-date='2023-09-02-00' data-title='Vecinos Cup' data-class='green' data-type='range' data-end='2023-09-03-00'> Vecinos Cup: first tournament with Sally <span class='ob-timelines' data-date='2023-09-02-00' data-title='Vecinos Cup' data-class='green' data-type='range' data-end='2023-09-03-23'> Vecinos Cup: first tournament with Sally
</span> </span>
```toc ```toc
@ -54,6 +54,8 @@ style: number
- Annette Fetscheri - Annette Fetscheri
- Claudia Ide / - Claudia Ide /
Result: Finalist
[[@Sally|Sally]] went for it - great horse [[@Sally|Sally]] went for it - great horse
&emsp; &emsp;

@ -0,0 +1,54 @@
---
Alias: [""]
Tag: ["timeline", "🐎", "🐿️"]
Date: 2023-09-19
DocType: Confidential
Hierarchy: NonRoot
TimeStamp:
location:
CollapseMetaTable: true
---
Parent:: [[@Sally|Sally]]
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-2023-09-19InfluenzavaccineNSave
&emsp;
# 2023-09-19 Influenza vaccine
&emsp;
> [!summary]+
> Note Description
&emsp;
<span class='ob-timelines' data-date='2023-09-19-00' data-title='Influenza vaccine' data-class='orange' data-type='range' data-end='2023-09-19-00'> Yearly influenza vaccine ahead of leaving on holiday
</span>
```toc
style: number
```
&emsp;
---
&emsp;
[[2023-09-19|This day]], Influenza vaccine in order to leave on holiday to France.
&emsp;
&emsp;

@ -237,7 +237,8 @@ sudo bash /etc/addip4ban/addip4ban.sh
#### Ban List Tasks #### Ban List Tasks
- [ ] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-16 - [ ] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-23
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-16 ✅ 2023-09-15
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-09 ✅ 2023-09-08 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-09 ✅ 2023-09-08
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-02 ✅ 2023-09-04 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-09-02 ✅ 2023-09-04
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-08-26 ✅ 2023-08-26 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-08-26 ✅ 2023-08-26
@ -272,7 +273,8 @@ sudo bash /etc/addip4ban/addip4ban.sh
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-08-12 ✅ 2023-08-07 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-08-12 ✅ 2023-08-07
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-08-05 ✅ 2023-08-05 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-08-05 ✅ 2023-08-05
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-07-29 ✅ 2023-08-04 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix %%done_del%% 🔁 every week on Saturday 📅 2023-07-29 ✅ 2023-08-04
- [ ] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-16 - [ ] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-23
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-16 ✅ 2023-09-15
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-09 ✅ 2023-09-08 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-09 ✅ 2023-09-08
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-02 ✅ 2023-09-04 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-09-02 ✅ 2023-09-04
- [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-08-26 ✅ 2023-08-26 - [x] 🖥 [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list %%done_del%% 🔁 every month on Saturday 📅 2023-08-26 ✅ 2023-08-26

@ -596,7 +596,8 @@ List of monitored services:
- [x] :closed_lock_with_key: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Bitwarden & Health checks %%done_del%% 🔁 every 4 months 📅 2022-08-18 ✅ 2022-08-17 - [x] :closed_lock_with_key: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Bitwarden & Health checks %%done_del%% 🔁 every 4 months 📅 2022-08-18 ✅ 2022-08-17
- [x] [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Bitwarden & Health checks 🔁 every 4 months 📅 2022-04-18 ✅ 2022-04-16 - [x] [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Bitwarden & Health checks 🔁 every 4 months 📅 2022-04-18 ✅ 2022-04-16
- [ ] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2023-09-18 - [ ] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2024-01-18
- [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2023-09-18 ✅ 2023-09-15
- [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2023-05-18 ✅ 2023-05-15 - [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2023-05-18 ✅ 2023-05-15
- [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2023-01-18 ✅ 2023-01-15 - [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2023-01-18 ✅ 2023-01-15
- [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2022-09-18 ✅ 2022-09-16 - [x] :hammer_and_wrench: [[Selfhosting]], [[Server Tools|Tools]]: Upgrader Standard Notes & Health checks %%done_del%% 🔁 every 4 months 📅 2022-09-18 ✅ 2022-09-16

@ -290,7 +290,8 @@ Everything is rather self-explanatory.
- [x] [[Server VPN]]: Backup server 🔁 every 6 months on the 1st Tuesday 📅 2021-10-14 ✅ 2022-01-08 - [x] [[Server VPN]]: Backup server 🔁 every 6 months on the 1st Tuesday 📅 2021-10-14 ✅ 2022-01-08
- [x] [[Server VPN]]: Backup server 🔁 every 6 months on the 1st Tuesday ✅ 2021-10-13 - [x] [[Server VPN]]: Backup server 🔁 every 6 months on the 1st Tuesday ✅ 2021-10-13
- [ ] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-09-18 - [ ] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-12-18
- [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-09-18 ✅ 2023-09-18
- [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-06-18 ✅ 2023-06-19 - [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-06-18 ✅ 2023-06-19
- [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-03-18 ✅ 2023-03-18 - [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2023-03-18 ✅ 2023-03-18
- [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2022-12-18 ✅ 2022-12-20 - [x] :shield: [[Selfhosting]], [[Server VPN|VPN]]: Check VPN state & dashboard %%done_del%% 🔁 every 3 months 📅 2022-12-18 ✅ 2022-12-20

Loading…
Cancel
Save