main
iOS 3 years ago
parent bd7c3513ab
commit dd4e701753

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

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{
"id": "customjs",
"name": "CustomJS",
"version": "1.0.11",
"version": "1.0.12",
"minAppVersion": "0.9.12",
"description": "This plugin allows for the loading and reuse of custom JS inside your vault.",
"author": "Sam Lewis",

@ -21924,40 +21924,85 @@ var React4 = __toModule(require_react());
// src/utils/markdown.ts
var Papa = __toModule(require_papaparse_min());
function sanitizeWikiLinks(input) {
const matches = (input || "").matchAll(/\[\[\w*\|\w*\]\]/g);
let match = matches.next();
while (!match.done) {
const value = match.value["0"];
input = input.replace(value, value.replace("|", "\\|"));
match = matches.next();
}
return input;
}
function extractAfterContent(input) {
var _a, _b;
if (input && ((_a = input[0]) == null ? void 0 : _a.length) && input[0].length > 1) {
let idx = -1;
for (idx = 0; idx < (input == null ? void 0 : input.length); idx++) {
if (((_b = input[idx]) == null ? void 0 : _b.length) == 1) {
break;
}
}
return input.splice(idx);
}
return [];
}
function removeAlignmentRow(input) {
if (input.length > 1) {
input.splice(1, 1);
}
}
function mergeWikiLinkCells(input) {
return input.map((row) => {
let writeIndex = 0;
const result = [];
for (let index = 0; index < row.length; index++) {
if (index === row.length - 1) {
result.push(row[index]);
continue;
}
if (row[index].includes("[[") && row[index].endsWith("\\") && row[index + 1].includes("]]")) {
let current = row[index];
let offset = 1;
while (current.includes("[[") && current.endsWith("\\") && row[index + offset].includes("]]")) {
current = `${current}|${row[index + offset]}`;
offset++;
}
result[writeIndex] = current;
writeIndex++;
index = index + offset;
} else {
result[writeIndex] = row[index];
writeIndex++;
}
}
return result;
});
}
var papaConfig = {
delimiter: "|",
escapeChar: "\\"
};
function parseInputData(input) {
var _a;
let { data, meta } = Papa.parse((input || "").trim());
input = sanitizeWikiLinks(input);
let { data, meta } = Papa.parse((input || "").trim(), papaConfig);
let afterContent = void 0;
if (data && ((_a = data[0]) == null ? void 0 : _a.length) && data[0].length > 1) {
afterContent = extractAfterContent(data);
if (meta.delimiter === "|") {
if (data.length > 1) {
data.splice(1, 1);
}
removeAlignmentRow(data);
data = data.map((row) => {
row.splice(row.length - 1, 1);
row.splice(0, 1);
return row;
});
data = data.map((row) => {
let writeIndex = 0;
const result = [];
for (let index = 0; index < row.length; index++) {
if (index === row.length - 1) {
result.push(row[index]);
continue;
}
if (row[index].includes("[[") && row[index].endsWith("\\") && row[index + 1].includes("]]")) {
result[writeIndex] = `${row[index]}|${row[index + 1]}`;
writeIndex++;
index++;
} else {
result[writeIndex] = row[index];
writeIndex++;
}
}
return result;
});
data = mergeWikiLinkCells(data);
}
return data;
return {
content: data,
afterContent
};
}
return void 0;
}
@ -22224,6 +22269,7 @@ var TableEditor = ({ leafId, cursor, inputData, updateViewData, supressNotices =
const [newRows, setNewRows] = React4.useState(3);
const [newCols, setNewCols] = React4.useState(3);
const [values, setValues] = React4.useState([[""], [""]]);
const [afterValue, setAfterValue] = React4.useState("");
const [colJustify, setColJustify] = React4.useState([]);
const [copyText, setCopyText] = React4.useState("Copy as Markdown");
const [autoFocusCell, setAutoFocusCell] = React4.useState({ row: -1, col: -1 });
@ -22240,17 +22286,23 @@ var TableEditor = ({ leafId, cursor, inputData, updateViewData, supressNotices =
}
}, [inputData]);
React4.useEffect(() => {
let data = parseInputData(inputData);
if (!data) {
let result = parseInputData(inputData);
if (!result) {
result = { content: void 0, afterContent: [] };
}
let { content, afterContent } = result;
if (!content) {
if (!supressNotices) {
new import_obsidian2.Notice("Selection is not a valid Markdown table or CSV or Excel data. Creating a new table!");
}
data = [[""], [""]];
content = [[""], [""]];
}
data = sanitize(data);
setValues(data);
setColJustify(Array(data[0].length).fill("LEFT"));
computeAutoFocusRow(data);
content = sanitize(content);
const processedAfterContent = afterContent.map((row) => row.join("")).join(" \n");
setValues(content);
setColJustify(Array(content[0].length).fill("LEFT"));
setAfterValue(processedAfterContent);
computeAutoFocusRow(content);
}, [inputData]);
React4.useEffect(() => {
if (copyText !== "Copy as Markdown") {
@ -22258,11 +22310,6 @@ var TableEditor = ({ leafId, cursor, inputData, updateViewData, supressNotices =
}
updateViewData(toMarkdown(values, colJustify));
}, [values, colJustify]);
const copyClicked = () => {
var _a2;
setCopyText("Copied!");
(_a2 = navigator == null ? void 0 : navigator.clipboard) == null ? void 0 : _a2.writeText(toMarkdown(values, colJustify));
};
const newTableClicked = () => {
const newValues = Array(newRows).fill([]).map((_) => Array(newCols).fill(""));
setValues(newValues);
@ -22278,6 +22325,16 @@ var TableEditor = ({ leafId, cursor, inputData, updateViewData, supressNotices =
}
return false;
};
const getOutput = () => {
const tableContent = toMarkdown(values, colJustify);
return `${tableContent}
${afterValue}`;
};
const copyClicked = () => {
var _a2;
setCopyText("Copied!");
(_a2 = navigator == null ? void 0 : navigator.clipboard) == null ? void 0 : _a2.writeText(getOutput());
};
const replaceClicked = () => {
const editorLeaf = app.workspace.activeLeaf;
let leaf = app.workspace.getLeafById(_leafid);
@ -22302,7 +22359,7 @@ var TableEditor = ({ leafId, cursor, inputData, updateViewData, supressNotices =
}
const startCursor = { line: lineAbove, ch: 0 };
const endCursor = { line: lineBelow, ch: view.editor.getLine(lineBelow).length };
view.editor.replaceRange(toMarkdown(values, colJustify), startCursor, endCursor);
view.editor.replaceRange(getOutput(), startCursor, endCursor);
};
return /* @__PURE__ */ React4.createElement(React4.Fragment, null, /* @__PURE__ */ React4.createElement("div", {
className: "mte button-container"

@ -1,7 +1,7 @@
{
"id": "markdown-table-editor",
"name": "Markdown Table Editor",
"version": "0.2.1",
"version": "0.2.2",
"minAppVersion": "0.12.0",
"description": "An Obsidian plugin to provide an editor for Markdown tables. It can open CSV, Microsoft Excel/Google Sheets data as Markdown tables from Obsidian Markdown editor.",
"author": "Ganessh Kumar R P <rpganesshkumar@gmail.com>",

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{
"id": "mrj-text-expand",
"name": "Text expand",
"version": "0.10.5",
"version": "0.10.8",
"description": "Search and paste/transclude links to located files.",
"isDesktopOnly": false,
"author": "MrJackphil",

File diff suppressed because it is too large Load Diff

@ -6,5 +6,5 @@
"author": "Trey Wallis",
"authorUrl": "https://github.com/trey-wallis",
"isDesktopOnly": false,
"version": "2.3.1"
"version": "2.3.6"
}

@ -17,7 +17,6 @@
display: flex;
align-items: center;
padding: 4px 8px;
overflow: clip;
}
.NLT__tag {
display: flex;
@ -51,6 +50,7 @@
/* src/app/components/TagMenuContent/styles.css */
.NLT__tag-menu-top {
display: flex;
align-items: center;
background-color: rgba(0, 0, 0, 0.25);
padding: 4px 10px;
}
@ -66,6 +66,15 @@
.NLT__tag-menu-input {
background-color: transparent !important;
border: 0 !important;
width: 100%;
min-width: 100px;
padding-left: 0px !important;
}
/* src/app/components/CellEditMenu/styles.css */
.NLT__cell-edit-menu {
width: 100%;
height: 100%;
}
/* src/app/components/EditableTd/styles.css */
@ -75,7 +84,7 @@
height: 2rem;
cursor: default;
}
.NLT__td:focus {
.NLT__td:focus-visible {
border: 1px solid blue;
border-style: double;
}
@ -109,7 +118,7 @@ tfoot > tr > .NLT__td {
width: 180px;
font-size: 0.9rem;
}
.NLT__drag-menu-item:focus {
.NLT__drag-menu-item:focus-visible {
outline: 1px solid blue;
}
@ -117,9 +126,9 @@ tfoot > tr > .NLT__td {
.NLT__header-menu {
padding: 4px 10px;
cursor: default;
min-width: 100px;
min-width: 150px;
}
.NLT__header-menu-item:focus {
.NLT__header-menu-item:focus-visible {
outline: 1px solid blue;
}
.NLT__header-menu-header-container {
@ -150,7 +159,7 @@ tfoot > tr > .NLT__td {
.NLT__th {
text-align: left;
}
.NLT__th:focus {
.NLT__th:focus-visible {
border: 1px solid blue;
border-style: double;
}
@ -193,7 +202,7 @@ tfoot > tr > .NLT__td {
.NLT__button {
padding: 4px;
}
.NLT__button:focus {
.NLT__button:focus-visible {
outline: 1px solid blue;
}
.NLT__button--sm {
@ -239,3 +248,6 @@ tfoot > tr > .NLT__td {
.NLT__input--number {
text-align: right;
}
.NLT__input--textarea {
overflow: hidden;
}

@ -12,8 +12,8 @@
"checkpointList": [
{
"path": "/",
"date": "2022-05-01",
"size": 4133414
"date": "2022-05-04",
"size": 4473661
}
],
"activityHistory": [
@ -470,7 +470,19 @@
},
{
"date": "2022-05-01",
"value": 1373
"value": 269758
},
{
"date": "2022-05-02",
"value": 1214
},
{
"date": "2022-05-03",
"value": 1172
},
{
"date": "2022-05-04",
"value": 69476
}
]
}

@ -86,7 +86,7 @@ var ObsidianColumns = class extends import_obsidian.Plugin {
if (listItem == null) {
continue;
}
if (!listItem.textContent.startsWith(TOKEN + COLUMNNAME)) {
if (!listItem.textContent.trim().startsWith(TOKEN + COLUMNNAME)) {
processList(listItem);
continue;
}

@ -1,10 +1,10 @@
{
"id": "obsidian-columns",
"name": "Obsidian Columns",
"version": "1.0.4",
"minAppVersion": "0.12.0",
"description": "Allows you to create columns in Obsidian Markdown",
"author": "Trevor Nichols",
"authorUrl": "https://github.com/tnichols217/obsidian-columns",
"isDesktopOnly": false
"isDesktopOnly": false,
"version": "1.0.5"
}

@ -1,10 +1,11 @@
.columnParent {
display: flex;
padding: 5px 5px
padding: 5px 5px;
flex-wrap: wrap;
}
.columnChild {
flex-grow: 1;
flex-basis: 0px;
padding: 0px 10px
padding: 0px 10px;
}

@ -500,7 +500,7 @@
"links": 4
},
"05.01 Computer setup/Storage and Syncing.md": {
"size": 7924,
"size": 8789,
"tags": 4,
"links": 14
},
@ -1427,7 +1427,7 @@
"03.02 Travels/Short breaks.md": {
"size": 2008,
"tags": 4,
"links": 2
"links": 4
},
"02.03 Zürich/Recommendation list (Zürich).md": {
"size": 688,
@ -1870,7 +1870,7 @@
"links": 18
},
"05.02 Networks/Configuring UFW.md": {
"size": 4662,
"size": 5234,
"tags": 2,
"links": 7
},
@ -2357,7 +2357,7 @@
"00.03 News/When will economists embrace the quantum revolution Aeon Essays.md": {
"size": 30318,
"tags": 3,
"links": 1
"links": 2
},
"00.03 News/Why Black Women Are Divesting From Excellence & Embracing Mediocrity.md": {
"size": 16817,
@ -2592,7 +2592,7 @@
"00.03 News/The Power of Emotional Honesty.md": {
"size": 23040,
"tags": 3,
"links": 1
"links": 2
},
"00.03 News/Vladimir Putins Revisionist History of Russia and Ukraine.md": {
"size": 10134,
@ -2659,11 +2659,6 @@
"tags": 1,
"links": 2
},
"00.03 News/The man who paid for Anerica's fear.md": {
"size": 106425,
"tags": 3,
"links": 1
},
"00.03 News/The improbable endless heroism of Volodymyr Zelensky.md": {
"size": 7507,
"tags": 3,
@ -3330,9 +3325,9 @@
"links": 4
},
"00.01 Admin/Calendars/delete.md": {
"size": 0,
"size": 125,
"tags": 0,
"links": 0
"links": 1
},
"00.01 Admin/Calendars/2022-02-10.md": {
"size": 1040,
@ -3732,7 +3727,7 @@
"00.03 News/The Unseen Scars of Those Who Kill Via Remote Control.md": {
"size": 28021,
"tags": 3,
"links": 1
"links": 2
},
"03.03 Food & Wine/Spanakopia pie.md": {
"size": 5100,
@ -3808,58 +3803,119 @@
"size": 149,
"tags": 0,
"links": 2
},
"00.03 News/Elon Musk Got Twitter Because He Gets Twitter.md": {
"size": 11928,
"tags": 3,
"links": 1
},
"00.03 News/Massacre in Tadamon how two academics hunted down a Syrian war criminal.md": {
"size": 25166,
"tags": 3,
"links": 1
},
"00.03 News/Ukrainians Flood Village of Demydiv to Keep Russians at Bay.md": {
"size": 9798,
"tags": 3,
"links": 1
},
"00.03 News/The Worst Boyfriend on the Upper East Side.md": {
"size": 32043,
"tags": 2,
"links": 2
},
"00.03 News/A Crime Beyond Belief.md": {
"size": 116971,
"tags": 3,
"links": 1
},
"00.03 News/S.F. spent millions to shelter homeless in hotels. These are the disastrous results.md": {
"size": 72277,
"tags": 3,
"links": 1
},
"00.03 News/The man who paid for America's fear.md": {
"size": 106425,
"tags": 3,
"links": 2
},
"00.01 Admin/Calendars/2022-05-02.md": {
"size": 1018,
"tags": 0,
"links": 4
},
"00.01 Admin/Calendars/2022-05-03.md": {
"size": 1013,
"tags": 0,
"links": 4
},
"00.01 Admin/Calendars/2022-05-04.md": {
"size": 1014,
"tags": 0,
"links": 4
},
"05.02 Networks/GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance..md": {
"size": 68502,
"tags": 40,
"links": 1
}
},
"commitTypes": {
"/": {
"Refactor": 516,
"Create": 423,
"Link": 852,
"Expand": 404
"Refactor": 525,
"Create": 433,
"Link": 876,
"Expand": 410
}
},
"dailyCommits": {
"/": {
"0": 50,
"1": 21,
"2": 1,
"2": 2,
"3": 9,
"4": 12,
"5": 6,
"6": 17,
"7": 154,
"8": 221,
"9": 175,
"7": 155,
"8": 229,
"9": 178,
"10": 100,
"11": 80,
"12": 105,
"13": 187,
"14": 133,
"12": 107,
"13": 208,
"14": 136,
"15": 96,
"16": 62,
"17": 88,
"16": 65,
"17": 90,
"18": 251,
"19": 71,
"19": 72,
"20": 97,
"21": 57,
"22": 160,
"23": 42
"23": 46
}
},
"weeklyCommits": {
"/": {
"Mon": 338,
"Tue": 183,
"Wed": 224,
"Mon": 344,
"Tue": 187,
"Wed": 231,
"Thu": 279,
"Fri": 188,
"Sat": 0,
"Sun": 983
"Sun": 1015
}
},
"recentCommits": {
"/": {
"Expanded": [
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-04.md\"> 2022-05-04 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-03.md\"> 2022-05-03 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/delete.md\"> delete </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-02.md\"> 2022-05-02 </a>",
"<a class=\"internal-link\" href=\"05.02 Networks/Configuring UFW.md\"> Configuring UFW </a>",
"<a class=\"internal-link\" href=\"05.01 Computer setup/Storage and Syncing.md\"> Storage and Syncing </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-01.md\"> 2022-05-01 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-30.md\"> 2022-04-30 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-06-17 Gorillaz - arenes de Nimes.md\"> 2022-06-17 Gorillaz - arenes de Nimes </a>",
@ -3904,15 +3960,19 @@
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-13.md\"> 2022-04-13 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-11.md\"> 2022-04-11 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-12.md\"> 2022-04-12 </a>",
"<a class=\"internal-link\" href=\"05.01 Computer setup/Storj.md\"> Storj </a>",
"<a class=\"internal-link\" href=\"05.01 Computer setup/Storj.md\"> Storj </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Quick shares/WiFI - ZH.md\"> WiFI - ZH </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Quick shares/Mobile - FR.md\"> Mobile - FR </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Quick shares/Mobile - UK.md\"> Mobile - UK </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Quick shares/Mobile - CH.md\"> Mobile - CH </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-12.md\"> 2022-04-12 </a>"
"<a class=\"internal-link\" href=\"05.01 Computer setup/Storj.md\"> Storj </a>"
],
"Created": [
"<a class=\"internal-link\" href=\"00.02 Inbox/GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance..md\"> GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance. </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-04.md\"> 2022-05-04 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-03.md\"> 2022-05-03 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-02.md\"> 2022-05-02 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/S.F. spent millions to shelter homeless in hotels. These are the disastrous results.md\"> S.F. spent millions to shelter homeless in hotels. These are the disastrous results </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/A Crime Beyond Belief.md\"> A Crime Beyond Belief </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The Worst Boyfriend on the Upper East Side.md\"> The Worst Boyfriend on the Upper East Side </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Ukrainians Flood Village of Demydiv to Keep Russians at Bay.md\"> Ukrainians Flood Village of Demydiv to Keep Russians at Bay </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Massacre in Tadamon how two academics hunted down a Syrian war criminal.md\"> Massacre in Tadamon how two academics hunted down a Syrian war criminal </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Opinion Elon Musk Got Twitter Because He Gets Twitter.md\"> Opinion Elon Musk Got Twitter Because He Gets Twitter </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-27 Arrivée à Lisbonne.md\"> 2022-04-27 Arrivée à Lisbonne </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-01 Départ de Lisbonne.md\"> 2022-05-01 Départ de Lisbonne </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-01.md\"> 2022-05-01 </a>",
@ -3953,19 +4013,18 @@
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-15.md\"> 2022-04-15 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-14.md\"> 2022-04-14 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/The Importance of Leading With Empathy (And How To Do It).md\"> The Importance of Leading With Empathy (And How To Do It) </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-13.md\"> 2022-04-13 </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>",
"<a class=\"internal-link\" href=\"Untitled.md\"> Untitled </a>"
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-13.md\"> 2022-04-13 </a>"
],
"Renamed": [
"<a class=\"internal-link\" href=\"05.02 Networks/GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance..md\"> GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance. </a>",
"<a class=\"internal-link\" href=\"00.03 News/The man who paid for America's fear.md\"> The man who paid for America's fear </a>",
"<a class=\"internal-link\" href=\"00.03 News/S.F. spent millions to shelter homeless in hotels. These are the disastrous results.md\"> S.F. spent millions to shelter homeless in hotels. These are the disastrous results </a>",
"<a class=\"internal-link\" href=\"00.03 News/A Crime Beyond Belief.md\"> A Crime Beyond Belief </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Worst Boyfriend on the Upper East Side.md\"> The Worst Boyfriend on the Upper East Side </a>",
"<a class=\"internal-link\" href=\"00.03 News/Ukrainians Flood Village of Demydiv to Keep Russians at Bay.md\"> Ukrainians Flood Village of Demydiv to Keep Russians at Bay </a>",
"<a class=\"internal-link\" href=\"00.03 News/Massacre in Tadamon how two academics hunted down a Syrian war criminal.md\"> Massacre in Tadamon how two academics hunted down a Syrian war criminal </a>",
"<a class=\"internal-link\" href=\"00.03 News/Elon Musk Got Twitter Because He Gets Twitter.md\"> Elon Musk Got Twitter Because He Gets Twitter </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Elon Musk Got Twitter Because He Gets Twitter.md\"> Elon Musk Got Twitter Because He Gets Twitter </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-15 Definite arrival of Meggi-mo to Züzü.md\"> 2022-05-15 Definite arrival of Meggi-mo to Züzü </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-28.md\"> 2022-04-28 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Vernon Subutex 1.md\"> Vernon Subutex 1 </a>",
@ -4007,18 +4066,16 @@
"<a class=\"internal-link\" href=\"00.03 News/One Last Trip.md\"> One Last Trip </a>",
"<a class=\"internal-link\" href=\"00.03 News/This Whole Thing Has F---ed Me Up.md\"> This Whole Thing Has F---ed Me Up </a>",
"<a class=\"internal-link\" href=\"00.03 News/E-commerce giants couldnt deliver. So these islanders built their own online shopping ecosystem.md\"> E-commerce giants couldnt deliver. So these islanders built their own online shopping ecosystem </a>",
"<a class=\"internal-link\" href=\"00.03 News/Tortilla de Harina A Moon of Mystery.md\"> Tortilla de Harina A Moon of Mystery </a>",
"<a class=\"internal-link\" href=\"00.03 News/How did people sleep in the Middle Ages - Medievalists.net.md\"> How did people sleep in the Middle Ages - Medievalists.net </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-09.md\"> 2022-02-09 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-08.md\"> 2022-02-08 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-07.md\"> 2022-02-07 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-06.md\"> 2022-02-06 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-05.md\"> 2022-02-05 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-04.md\"> 2022-02-04 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-03.md\"> 2022-02-03 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-02-02.md\"> 2022-02-02 </a>"
"<a class=\"internal-link\" href=\"00.03 News/Tortilla de Harina A Moon of Mystery.md\"> Tortilla de Harina A Moon of Mystery </a>"
],
"Tagged": [
"<a class=\"internal-link\" href=\"05.02 Networks/GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance..md\"> GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance. </a>",
"<a class=\"internal-link\" href=\"00.03 News/A Crime Beyond Belief.md\"> A Crime Beyond Belief </a>",
"<a class=\"internal-link\" href=\"00.03 News/S.F. spent millions to shelter homeless in hotels. These are the disastrous results.md\"> S.F. spent millions to shelter homeless in hotels. These are the disastrous results </a>",
"<a class=\"internal-link\" href=\"00.03 News/Elon Musk Got Twitter Because He Gets Twitter.md\"> Elon Musk Got Twitter Because He Gets Twitter </a>",
"<a class=\"internal-link\" href=\"00.03 News/Massacre in Tadamon how two academics hunted down a Syrian war criminal.md\"> Massacre in Tadamon how two academics hunted down a Syrian war criminal </a>",
"<a class=\"internal-link\" href=\"00.03 News/Ukrainians Flood Village of Demydiv to Keep Russians at Bay.md\"> Ukrainians Flood Village of Demydiv to Keep Russians at Bay </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Worst Boyfriend on the Upper East Side.md\"> The Worst Boyfriend on the Upper East Side </a>",
"<a class=\"internal-link\" href=\"Spanakopia pie.md\"> Spanakopia pie </a>",
"<a class=\"internal-link\" href=\"00.03 News/Down the Hatch.md\"> Down the Hatch </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Unseen Scars of Those Who Kill Via Remote Control.md\"> The Unseen Scars of Those Who Kill Via Remote Control </a>",
@ -4062,14 +4119,7 @@
"<a class=\"internal-link\" href=\"00.03 News/Welcome To The Vice Age How Sex, Drugs And Gambling Help Americans Cope With Covid.md\"> Welcome To The Vice Age How Sex, Drugs And Gambling Help Americans Cope With Covid </a>",
"<a class=\"internal-link\" href=\"00.03 News/What happened to Starbucks How a progressive company lost its way.md\"> What happened to Starbucks How a progressive company lost its way </a>",
"<a class=\"internal-link\" href=\"00.03 News/How Putins Oligarchs Bought London.md\"> How Putins Oligarchs Bought London </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Man Behind Ethereum Is Worried About Crypto's Future 1.md\"> The Man Behind Ethereum Is Worried About Crypto's Future 1 </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/Welcome To The Vice Age How Sex, Drugs And Gambling Help Americans Cope With Covid.md\"> Welcome To The Vice Age How Sex, Drugs And Gambling Help Americans Cope With Covid </a>",
"<a class=\"internal-link\" href=\"00.03 News/Sex Pistols Rolling Stone Cover Story on Notorious Punk Band.md\"> Sex Pistols Rolling Stone Cover Story on Notorious Punk Band </a>",
"<a class=\"internal-link\" href=\"00.03 News/France and PSG star Jean-Pierre Adams was in a coma for 39 years. His wife never left his side.md\"> France and PSG star Jean-Pierre Adams was in a coma for 39 years. His wife never left his side </a>",
"<a class=\"internal-link\" href=\"00.03 News/How The Inca Used Knots To Tell Stories.md\"> How The Inca Used Knots To Tell Stories </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Man Behind Ethereum Is Worried About Crypto's Future.md\"> The Man Behind Ethereum Is Worried About Crypto's Future </a>",
"<a class=\"internal-link\" href=\"00.03 News/Why We Listen to Music With Lyrics We Dont Understand.md\"> Why We Listen to Music With Lyrics We Dont Understand </a>",
"<a class=\"internal-link\" href=\"00.03 News/Ego is the Enemy The Legend of Genghis Khan - Farnam Street.md\"> Ego is the Enemy The Legend of Genghis Khan - Farnam Street </a>"
"<a class=\"internal-link\" href=\"00.03 News/The Man Behind Ethereum Is Worried About Crypto's Future 1.md\"> The Man Behind Ethereum Is Worried About Crypto's Future 1 </a>"
],
"Refactored": [
"<a class=\"internal-link\" href=\"01.02 Home/@Main Dashboard.md\"> @Main Dashboard </a>",
@ -4160,6 +4210,23 @@
"<a class=\"internal-link\" href=\"00.02 Inbox/Kimchi-Lentil Stew With Poached Eggs.md\"> Kimchi-Lentil Stew With Poached Eggs </a>"
],
"Linked": [
"<a class=\"internal-link\" href=\"05.02 Networks/GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance..md\"> GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance. </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-04.md\"> 2022-05-04 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-03.md\"> 2022-05-03 </a>",
"<a class=\"internal-link\" href=\"03.02 Travels/Short breaks.md\"> Short breaks </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/delete.md\"> delete </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-02.md\"> 2022-05-02 </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Worst Boyfriend on the Upper East Side.md\"> The Worst Boyfriend on the Upper East Side </a>",
"<a class=\"internal-link\" href=\"00.03 News/The man who paid for America's fear.md\"> The man who paid for America's fear </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Unseen Scars of Those Who Kill Via Remote Control.md\"> The Unseen Scars of Those Who Kill Via Remote Control </a>",
"<a class=\"internal-link\" href=\"00.03 News/S.F. spent millions to shelter homeless in hotels. These are the disastrous results.md\"> S.F. spent millions to shelter homeless in hotels. These are the disastrous results </a>",
"<a class=\"internal-link\" href=\"00.02 Inbox/A Crime Beyond Belief.md\"> A Crime Beyond Belief </a>",
"<a class=\"internal-link\" href=\"00.03 News/Elon Musk Got Twitter Because He Gets Twitter.md\"> Elon Musk Got Twitter Because He Gets Twitter </a>",
"<a class=\"internal-link\" href=\"00.03 News/Massacre in Tadamon how two academics hunted down a Syrian war criminal.md\"> Massacre in Tadamon how two academics hunted down a Syrian war criminal </a>",
"<a class=\"internal-link\" href=\"00.03 News/Ukrainians Flood Village of Demydiv to Keep Russians at Bay.md\"> Ukrainians Flood Village of Demydiv to Keep Russians at Bay </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Worst Boyfriend on the Upper East Side.md\"> The Worst Boyfriend on the Upper East Side </a>",
"<a class=\"internal-link\" href=\"00.03 News/When will economists embrace the quantum revolution Aeon Essays.md\"> When will economists embrace the quantum revolution Aeon Essays </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Power of Emotional Honesty.md\"> The Power of Emotional Honesty </a>",
"<a class=\"internal-link\" href=\"00.03 News/The real Mission Impossible.md\"> The real Mission Impossible </a>",
"<a class=\"internal-link\" href=\"00.03 News/If they could turn back time how tech billionaires are trying to reverse the ageing process.md\"> If they could turn back time how tech billionaires are trying to reverse the ageing process </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-05-01 Départ de Lisbonne.md\"> 2022-05-01 Départ de Lisbonne </a>",
@ -4193,24 +4260,7 @@
"<a class=\"internal-link\" href=\"03.01 Reading list/Babylone.md\"> Babylone </a>",
"<a class=\"internal-link\" href=\"03.01 Reading list/On the Road.md\"> On the Road </a>",
"<a class=\"internal-link\" href=\"03.01 Reading list/Frédéric de Hohenstaufen.md\"> Frédéric de Hohenstaufen </a>",
"<a class=\"internal-link\" href=\"03.01 Reading list/Americanah.md\"> Americanah </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-24.md\"> 2022-04-24 </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Miseducation of Maria Montessori.md\"> The Miseducation of Maria Montessori </a>",
"<a class=\"internal-link\" href=\"00.03 News/Babies and chicks help solve one of psychologys oldest puzzles.md\"> Babies and chicks help solve one of psychologys oldest puzzles </a>",
"<a class=\"internal-link\" href=\"00.03 News/Jeffrey Epstein, a Rare Cello and an Enduring Mystery.md\"> Jeffrey Epstein, a Rare Cello and an Enduring Mystery </a>",
"<a class=\"internal-link\" href=\"00.03 News/“The Eye in the Sea” camera observes elusive deep sea animals.md\"> “The Eye in the Sea” camera observes elusive deep sea animals </a>",
"<a class=\"internal-link\" href=\"00.03 News/TikTok Star Ava Majury Discovers the Dark Side of Fame.md\"> TikTok Star Ava Majury Discovers the Dark Side of Fame </a>",
"<a class=\"internal-link\" href=\"00.03 News/You Dont Know Much About Jay Penske. And Hes Fine With That..md\"> You Dont Know Much About Jay Penske. And Hes Fine With That. </a>",
"<a class=\"internal-link\" href=\"00.03 News/The Unravelling of an Expert on Serial Killers.md\"> The Unravelling of an Expert on Serial Killers </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-24 2nd tour élections présidentielles.md\"> 2022-04-24 2nd tour élections présidentielles </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-23.md\"> 2022-04-23 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-22.md\"> 2022-04-22 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-21.md\"> 2022-04-21 </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-20.md\"> 2022-04-20 </a>",
"<a class=\"internal-link\" href=\"00.03 News/One Last Trip.md\"> One Last Trip </a>",
"<a class=\"internal-link\" href=\"00.03 News/The improbable endless heroism of Volodymyr Zelensky.md\"> The improbable endless heroism of Volodymyr Zelensky </a>",
"<a class=\"internal-link\" href=\"00.03 News/The curse of sliced bread.md\"> The curse of sliced bread </a>",
"<a class=\"internal-link\" href=\"00.01 Admin/Calendars/2022-04-19.md\"> 2022-04-19 </a>"
"<a class=\"internal-link\" href=\"03.01 Reading list/Americanah.md\"> Americanah </a>"
],
"Removed Tags from": [
"<a class=\"internal-link\" href=\"06.02 Investments/Le Miel de Paris.md\"> Le Miel de Paris </a>",

File diff suppressed because one or more lines are too long

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

@ -2,11 +2,6 @@
"scanned": true,
"reminders": {
"05.01 Computer setup/Storage and Syncing.md": [
{
"title": "[[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED",
"time": "2022-04-30",
"rowNumber": 203
},
{
"title": "[[Storage and Syncing|Storage & Sync]]: Backup Volumes to [[Sync|Sync.com]]",
"time": "2022-06-13",
@ -31,6 +26,11 @@
"title": "Backup [[Storage and Syncing#Instructions for iPhone|iPhone]]",
"time": "2022-07-12",
"rowNumber": 186
},
{
"title": "[[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED",
"time": "2022-07-14",
"rowNumber": 203
}
],
"06.01 Finances/hLedger.md": [
@ -158,7 +158,7 @@
"01.03 Family/Marguerite de Villeneuve.md": [
{
"title": ":birthday: **[[Marguerite de Villeneuve|Marguerite]]**",
"time": "2022-05-02",
"time": "2023-05-02",
"rowNumber": 100
}
],
@ -331,15 +331,15 @@
}
],
"01.02 Home/Household.md": [
{
"title": "[[Household]]: *Cardboard* recycling collection",
"time": "2022-05-03",
"rowNumber": 81
},
{
"title": "[[Household]]: *Paper* recycling collection",
"time": "2022-05-10",
"rowNumber": 72
},
{
"title": "[[Household]]: *Cardboard* recycling collection",
"time": "2022-05-17",
"rowNumber": 81
}
],
"01.03 Family/Pia Bousquié.md": [
@ -474,13 +474,13 @@
"05.02 Networks/Configuring UFW.md": [
{
"title": "[[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix",
"time": "2022-04-30",
"time": "2022-05-07",
"rowNumber": 239
},
{
"title": "[[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list",
"time": "2022-04-30",
"rowNumber": 246
"time": "2022-05-07",
"rowNumber": 247
}
],
"00.01 Admin/Calendars/2022-03-18.md": [

File diff suppressed because one or more lines are too long

@ -1,7 +1,7 @@
{
"id": "obsidian-reminder-plugin",
"name": "Reminder",
"version": "1.1.8",
"version": "1.1.9",
"minAppVersion": "0.12.12",
"description": "Reminder plugin for Obsidian. This plugin adds feature to manage TODOs with reminder.",
"author": "uphy",

@ -4,7 +4,7 @@
"type": "split",
"children": [
{
"id": "0ed488bf0b5e1d30",
"id": "2714cc5f45155934",
"type": "leaf",
"state": {
"type": "markdown",
@ -125,15 +125,15 @@
}
},
{
"id": "cfe93256b545a8cd",
"id": "c8e3e73aa58f1fd8",
"type": "leaf",
"state": {
"type": "reminder-list",
"type": "advanced-tables-toolbar",
"state": {}
}
},
{
"id": "3f03017a4eb2771b",
"id": "7ac7d46120ff3c56",
"type": "leaf",
"state": {
"type": "DICE_ROLLER_VIEW",
@ -141,27 +141,27 @@
}
},
{
"id": "c8e3e73aa58f1fd8",
"id": "22120ddb49372439",
"type": "leaf",
"state": {
"type": "advanced-tables-toolbar",
"type": "reminder-list",
"state": {}
}
}
],
"currentTab": 2
},
"active": "0ed488bf0b5e1d30",
"active": "2714cc5f45155934",
"lastOpenFiles": [
"01.02 Home/@Main Dashboard.md",
"00.01 Admin/Calendars/2022-05-01.md",
"00.01 Admin/Calendars/2022-06-17 Gorillaz - arenes de Nimes.md",
"00.03 News/The real Mission Impossible.md",
"00.03 News/If they could turn back time how tech billionaires are trying to reverse the ageing process.md",
"00.01 Admin/Calendars/2022-05-01 Départ de Lisbonne.md",
"00.01 Admin/Calendars/2022-04-27 Arrivée à Lisbonne.md",
"00.01 Admin/Calendars/2022-04-30.md",
"00.01 Admin/Calendars/2022-04-29.md",
"00.01 Admin/Calendars/2022-04-28.md"
"00.01 Admin/Calendars/2022-05-04.md",
"05.02 Networks/GitHub - onceuponBash-Oneliner A collection of handy Bash One-Liners and terminal tricks for data processing and Linux system maintenance..md",
"00.03 News/A Crime Beyond Belief.md",
"00.01 Admin/Calendars/2022-05-03.md",
"00.01 Admin/Calendars/2022-05-02.md",
"03.02 Travels/Short breaks.md",
"03.02 Travels/@Travels.md",
"01.02 Home/@Shopping list.md",
"00.01 Admin/Calendars/2022-05-01.md"
]
}

@ -13,9 +13,9 @@ Stress: 35
FrontHeadBar: 5
EarHeadBar: 40
BackHeadBar: 30
Water: 1.75
Water: 3.33
Coffee: 2
Steps:
Steps: 7556
Ski:
Riding:
Racket:

@ -0,0 +1,105 @@
---
Date: 2022-05-02
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: Yes
Sleep: 7.5
Happiness: 95
Gratefulness: 95
Stress: 40
FrontHeadBar: 5
EarHeadBar: 45
BackHeadBar: 35
Water: 2.25
Coffee: 6
Steps: 12255
Ski:
Riding:
Racket:
Football:
title: "Daily Note"
allDay: true
date: 2022-05-02
---
%% Parent:: [[@Life Admin]] %%
---
[[2022-05-01|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2022-05-03|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2022-05-02Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2022-05-02NSave
&emsp;
# 2022-05-02
&emsp;
```ad-abstract
title: Summary
collapse: open
Note Description
```
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### Memos
&emsp;
#### Memos
This section does serve for quick memos.
&emsp;
%% ### %%
&emsp;
---
&emsp;
### Notes
&emsp;
Loret ipsum
&emsp;
&emsp;

@ -0,0 +1,104 @@
---
Date: 2022-05-03
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: Yes
Sleep: 7.5
Happiness: 90
Gratefulness: 90
Stress: 30
FrontHeadBar: 5
EarHeadBar: 35
BackHeadBar: 25
Water: 3.35
Coffee: 5
Steps: 12662
Ski:
Riding:
Racket:
Football:
title: "Daily Note"
allDay: true
date: 2022-05-03
---
%% Parent:: [[@Life Admin]] %%
---
[[2022-05-02|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2022-05-04|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2022-05-03Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2022-05-03NSave
&emsp;
# 2022-05-03
&emsp;
```ad-abstract
title: Summary
collapse: open
Note Description
```
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### Memos
&emsp;
#### Memos
This section does serve for quick memos.
&emsp;
%% ### %%
&emsp;
---
&emsp;
### Notes
&emsp;
Loret ipsum
&emsp;
&emsp;

@ -0,0 +1,104 @@
---
Date: 2022-05-04
DocType: Note
Hierarchy:
TimeStamp:
location:
CollapseMetaTable: Yes
Sleep: 7
Happiness: 95
Gratefulness: 95
Stress: 35
FrontHeadBar: 5
EarHeadBar: 40
BackHeadBar: 30
Water: 2.95
Coffee: 6
Steps:
Ski:
Riding:
Racket:
Football:
title: "Daily Note"
allDay: true
date: 2022-05-04
---
%% Parent:: [[@Life Admin]] %%
---
[[2022-05-03|<< 🗓 Previous ]] &emsp; &emsp; &emsp; [[@Main Dashboard|Back]] &emsp; &emsp; &emsp; [[2022-05-05|🗓 Next >>]]
---
&emsp;
```button
name Record today's health
type command
action MetaEdit: Run MetaEdit
id EditMetaData
```
^button-2022-05-04Edit
```button
name Save
type command
action Save current file
id Save
```
^button-2022-05-04NSave
&emsp;
# 2022-05-04
&emsp;
```ad-abstract
title: Summary
collapse: open
Note Description
```
&emsp;
```toc
style: number
```
&emsp;
---
&emsp;
### Memos
&emsp;
#### Memos
This section does serve for quick memos.
&emsp;
%% ### %%
&emsp;
---
&emsp;
### Notes
&emsp;
Loret ipsum
&emsp;
&emsp;

@ -1 +1,2 @@
- 2022033118470092 Test deletedAt: 202203311847371
- 2022033118470092 Test deletedAt: 202203311847371
- 2022050220080091 Test task 📆[[2022-05-25]] deletedAt: 202205022010002

@ -0,0 +1,567 @@
---
dg-publish: true
Alias: [""]
Tag: ["Crime", "US", "Harvard"]
Date: 2022-05-01
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2022-05-01
Link: https://magazine.atavist.com/a-crime-beyond-belief-vallejo-kidnapping-gone-girl-hoax/
location:
CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-ACrimeBeyondBeliefNSave
&emsp;
# A Crime Beyond Belief
## A Harvard-trained lawyer was convicted of committing bizarre home invasions. Psychosis may have compelled him to do it. But in a case that became a public sensation, he wasnt the only one who seemed to lose touch with reality.
###### The *Atavist* Magazine, No. 126
[Katia Savchuk](https://www.katiasavchuk.com/) is a magazine writer based in the San Francisco Bay Area. A proud generalist, she is drawn to stories about inequality, psychology, wrongdoing, and mysteries of all kinds. Previously, she was a staff reporter at *Forbes*. Her work has appeared in *The New Yorker, Mother Jones*, *Marie Claire*, *Elle*, *Pacific Standard*, and *The Washington Post,* among others. Follow her on Twitter at [@katiasav.](https://twitter.com/katiasav)
**Editor:** Seyward Darby
**Art Director:** Ed Johnson
**Fact Checker:** Kyla Jones
**Copy Editor:** Sean Cooper
**Illustrator:** Juan Bernabeu
*Published in April 2022.*
---
1.
**Just after seven** in the morning on June 9, 2015, Misty Carausu joined a group of police officers lining up outside a dark green cabin with white trim. The blinds inside were drawn. Jeffrey pines cast thick shadows across the driveway. The air was still but for the scrape of boots on asphalt and the occasional call of a bird.
Carausu, 35, was at least a head shorter than the other officers, and the only woman. She wore iridescent eye shadow and pearl earrings along with a tactical vest. As she gripped her gun, she felt as if shed stepped into one of the true-crime documentaries she binge-watched at night. It was Carausus first day as a detective.
En route to the scene, shed been filled in on the case. Around 3:30 a.m. the previous Friday, a 52-year-old nurse named Lynn Yen, who lived at the edge of Dublin, the suburb east of San Francisco where Carausu worked, had called 911. Minutes earlier, Lynn and her 60-year-old husband, Chung, woke to a flashlight and a laser shining in their faces. A masked man dressed in black stood at the foot of their bed. “We have your daughter, and shes safe,” the man said. Kelly, 22, had been in her bedroom across the hall.
Using what Lynn described as a “calm, soft voice,” the intruder told the couple to turn over and put their hands behind their backs. Then he announced that he would tie them up. When Chung felt the man touch him, he took a swing. Lynn grabbed her phone from the nightstand, locked herself in the bathroom, and called for help. She told the dispatcher that she heard fighting, then her husband yell, “Honey, go get the gun,” even though they didnt own one. A few minutes later, the intruder fled downstairs and out the back door, which opened onto miles of rolling hills and open fields.
When officers arrived at the scene, Chung had bruises on his arms and face and was bleeding from a cut above his ear—he said the intruder had hit him with a metal flashlight. A window near the back door was open, and the screen had been removed. In the couples bedroom, police found a black wool glove and three plastic zip ties. On a gravel path behind the house, near a cluster of foxtails, officers recovered another zip tie and a six-inch shred of black duct tape. Kelly, who was unharmed, handed a sergeant something shed found on a hallway cabinet near her room: a cell phone she didnt recognize.
Police later traced the phone number to the cabin Carausu and her colleagues were now preparing to enter. It sat on a residential street in South Lake Tahoe, a ski resort town 130 miles from Dublin. As the raid began, Carausu heard the cabins front door splinter. Officers barked *“Search warrant!”* as they shoved through a barricade of chairs. Carausu maneuvered around clutter on the living room floor: a set of crutches, license plates, clothing, electronics, a massage table. Empty boxes were piled against a window; open bottles of wine and cans of spray paint littered the kitchen counters.
Carausus job was to process evidence. She snapped photos of a black ski mask, black duct tape, and mismatched black gloves. A stun gun sat on a rocking chair. In a bankers box she found more duct tape and gloves, along with walkie-talkies, a radar detector, zip ties, rope, and a device for making keys. In a bathroom were makeup brushes and a partly empty bottle of NyQuil. An open tube of golden brunette hair dye lay on the sink, near a disposable glove stained with the dyes residue. In one bedroom were three more gloves, yellow crime-scene tape, and, on the bed, a spiked dog-training collar; in another was a bottle of Vaseline lotion, used paper towels, and a penis pump. “This is creepy,” Carausu recalled thinking as she stuffed items into paper bags. “Something crazy happened in here.” The police also collected flashlights, cell phones, hard drives, and several computers, including an Asus laptop that had been stashed under a mattress.
Around noon, Carausu and her colleagues drove to a tow yard to search a stolen white Mustang recovered near the cabin. Inside, they found items they thought could be linked to the Dublin break-in: two gloves matching one from the crime scene, both covered in foxtails; receipts for a flashlight, a speaker, and zip ties purchased near Dublin the night of the home invasion; burglary tools; and a metal flashlight. The back seat of the Mustang had been removed. Carausu wondered if someone had made room for a large object, such as a body.
Strangely, other clues didnt seem connected to the Dublin crime. Among the recent destinations on the cars GPS was an address in Huntington Beach, 400 miles south of Lake Tahoe. In the trunk, Carausu saw a blood-pressure cuff, a camouflage tarp, and a mesh vest with a wireless speaker in one of the pockets. She also found a BB gun, a dart gun, and a Nerf Super Soaker that had been painted black, with a flashlight and a laser pointer taped to the barrel. Stuffed in a large duffel bag was a blow-up doll in black clothing, rigged with wiring so that it could be made to sit or stand. The bag also contained a military-style pistol belt, its pouches crammed with two pairs of Speedo swim goggles. Carausu pulled one of them out. Black duct tape covered the lenses. Caught in the tape was a long strand of blond hair.
None of the victims in the Dublin home invasion were blond. Neither was the suspect, which Carausu knew because shed watched officers escort him out of the cabin in handcuffs. He didnt put up a fight when they burst through the door. He wandered out of a bedroom and obeyed commands to lie on the ground. In his late thirties, tall and fit, the man wore a black athletic shirt and jeans. He resembled Charlie Sheen, with a chiseled jawline and tousled dark hair.
“Do you know why were here?” a detective asked.
“Yes,” he replied.
The suspect said nothing else as officers led him to a patrol car. Before they loaded him inside, Carausu told the man to look at her camera. He stared intensely into the lens, his mouth an indecipherable line. Carausu read his name on pill bottles and mail scattered around the stolen Mustang: Matthew Muller.
2.
**Muller grew up** in the suburbs of Sacramento, where homes flew American flags, wild turkeys roamed the streets, and fathers took their sons fishing for bass in Lake Natoma. His mother, Joyce, was a middle school English teacher, and his father, Monty, was a school administrator and wrestling coach. The family spent summers hiking in the Sierra Nevada, abalone diving in Bodega Bay, or relaxing at a lakeside cabin in Michigan. Each Christmas they hosted a party on their cul de sac, and Monty dressed up as Santa.
Muller was a strong-willed, introverted child. Despite his fathers best efforts, he didnt take to wrestling or football, preferring to run or ski or walk the dog alone. He played trumpet in the school band and devoured dystopian novels by George Orwell, Aldous Huxley, and Yevgeny Zamyatin. His favorite short story, Ray Bradburys “The Veldt,” was about two children who project their fantasies onto the walls of a virtual reality “nursery,” until make-believe lions come to life and eat the siblings parents.
Muller had a core group of friends at school, but bullies teased him about being overweight. Being picked on fueled his instinct to stick up for underdogs, an impulse he sometimes took to extremes. When his younger brother, Kent, was slow to talk, he appointed himself spokesperson to a degree that concerned their mom. “Hes never going to have a vocabulary if you keep speaking for him,” Joyce recalled thinking. Later, Muller stuffed gum in a girls trumpet after she taunted someone at a music competition.
During his senior year of high school, Muller learned that his father was having an affair. Monty moved in with the woman he was seeing, and he and Joyce divorced. Muller soon decided to enlist in the Marines, telling Joyce that he needed discipline and wanted to get in shape. In truth, he worried that paying for college would strain her finances.
Muller “was a round peg struggling to fit into a square hole” in the Marines, his roommate during boot camp later wrote. In the first 13 weeks, he lost more than 50 pounds. He didnt join his platoon mates on weekend outings, instead squeezing in extra workouts. For a time he subsisted on Powerade and garlic rice. He earned the nickname Sergeant Mulder, after the FBI agent on *The* *X-Files,* because of his deadpan demeanor. Muller bristled at recruits who preyed on perceived weakness: When some bullied his roommate, Muller stood up for him.
Muller spent three years playing trumpet in the Marine Corps band at bases in California and Japan, where he also started a nonprofit to teach locals about the Internet. In 1999, he deployed to train soldiers in the Middle East. He earned several medals and a promotion before being honorably discharged.
Back home in California, Muller attended Pomona College, where he threw himself into volunteer work, which included helping homeless people secure government benefits and running an outdoors program. “More than anyone I had ever met, he strived to be noble, to be kind, to be generous,” his friend Eve Florin later wrote.
In the summer of 2001, Muller traveled to Prague for an academic program. There he met a driven young woman from Kyrgyzstan with a slight figure and long dark hair. They fell in love. (The woman declined to be interviewed. At her request, *The Atavist* is not using her name.) After Muller graduated from Pomona, they exchanged vows under an arch of white roses on the sun-dappled shores of Donner Lake, about 15 miles north of Lake Tahoe.
In 2003, the couple moved to Boston, where he started at Harvard Law School and she attended Boston College. Muller became involved with Harvards Legal Aid Bureau, where he represented low-income tenants and immigrants who were victims of domestic violence. On one occasion, a clients husband found a business card that the bureaus receptionist had given her and beat her so severely that her jaw had to be wired shut. Muller blamed himself. “Their crisis felt like it was part of my life too,” he said in an interview.   
After earning his law degree, Muller stayed at Harvard to teach and work in the Immigration and Refugee Clinical Program. Dressing in suits for class, he came across as “very formal,” “intense,” and “guarded,” but also “extremely knowledgeable” and “someone who truly cared about the cause and the immigrant community,” a former student of his recalled. Muller earned near perfect ratings as a lecturer and worked with Deborah Anker, a leading scholar of immigration law, authoring papers and Supreme Court briefs. When Anker went on sabbatical, she tapped him to head the clinical program. “He was warm, caring, earnest, smart, enthusiastic, engaging, thoughtful,” Anker recalled. “He was a super good human being.”
Muller was unusually devoted to his clients, buying one a wedding gift and letting another stay at his apartment. Even when he won a case, he couldnt shake the injustice he perceived in the world. “Part of me would be really sad, because it should not take all this effort just to make something the way it shouldve been,” he said. He likened the feeling to “going into a room and needing to straighten the picture, set it right.”
For the programs anniversary one year, Muller tracked down dozens of alumni and framed their messages as a gift to Anker. His own note read: “Learning from you has been, and I think always will be, the highlight of my legal career.” This struck Anker as odd. “I thought he was going to be a leading immigration lawyer in America,” she said. “This is not the height of your career—this is the beginning.”
## Muller scoured the room for anything out of place, anything that could be a bug. Over and over, he searched for answers among the snaking wires and blinking lights.
**It came as** a shock to Mullers parents when, in the summer of 2008, he revealed that he had bipolar disorder. Mental illness ran in Montys family, though they didnt speak of it much. Muller had never mentioned any mental health problems to his parents, beyond sometimes feeling blue during the winter months, and neither had his wife.
In fact, Muller had grappled with disturbing thoughts since his time in the Marines. After receiving a series of anthrax vaccines before his Middle East mission, he struggled to get out of bed for weeks, and his performance on fitness tests plummeted. (He later attributed his symptoms to Gulf War syndrome.) For the first time, bleak thoughts took up residence in his mind: *Youre not good enough, youre the worst person in the world.* Hed been considering a long career in the military, but now he decided to request a discharge.
In college, Muller fell into a cycle: Every summer and fall, he was productive and slept little; every winter and spring, he labored to finish assignments and his mood darkened. As the winter chill set in during his second year of law school, negative thoughts cut particularly deep: *Youre not doing enough to help, youre horrible, the world is terrible*. For the first time, he contemplated suicide.
Over the years, Muller saw several psychiatrists. One at Harvard diagnosed him with major depression, noting that he also showed signs of mania. Muller tried medication but stopped each time because he didnt like the side effects. He took pains to hide his condition from his parents, from his colleagues, and, as much as possible, from his wife, who moved away in 2005 to attend law school. “It felt like a weakness, something I shouldnt be troubling other people with,” Muller said.
He especially didnt want anyone finding out about the time a delusion took hold of him. It happened while he was working at Harvard, in an office on the fourth floor of Pound Hall, a concrete building at the edge of campus. He began to suspect that the government was tapping his phone and hacking his computer. Officials were after him, he decided, because some of his clients had been accused of having links to terrorists. Nothing specific triggered his paranoia—it began as a feeling and his mind filled in the gaps.
Muller frantically inspected wall conduits that held bundles of telephone wires and followed their trail to a server room in the basement. Through a crack between two doors, he glimpsed a mess of equipment. He scoured the room for anything out of place, anything that could be a bug. Over and over, he searched for answers among the snaking wires and blinking lights.
---
**Muller hoped that** escaping New Englands winters and trading asylum law for the tamer world of patent litigation would improve his mood, so in 2009 he and his wife moved to Silicon Valley, where he started a job at a large law firm. But instead of feeling better, he again became suicidal. He agreed to get help, and a psychiatrist prescribed Wellbutrin. The antidepressant quieted Mullers suicidal thoughts and kept him productive at his new job, but it also prevented him from sleeping.
One night, he was tossing and turning on the couch to avoid waking his wife when he heard a distant, muffled voice. Half asleep, he thought the TV had come on. He heard voices again on subsequent nights, closer and clearer this time. At first he told himself he was dreaming, but eventually he was forced to admit that the voices were there when he was awake. They were androgynous, almost robotic. They didnt tell him what to do; instead, they kept up a running commentary, mostly about his faults.
Muller didnt tell his family, concerned theyd think he was “dangerous crazy.” Nor did he inform his psychiatrist, fearing it would end up in his bar application. He had let his new employer assume that he wasnt yet licensed to practice law because he needed to retake the bar exam; in fact, he had passed the exam but not yet registered with the California bar, agonizing over what to write about his mental health in the required “moral character” section of the paperwork.
In Mullers telling, to quiet the voices and wear himself out enough to sleep, he went on long walks at night. Often he hiked to the Stanford Dish, a radio telescope along a popular trail near the Stanford University campus. Not long after midnight one Friday in late September 2009, he was returning to his car in College Terrace, a residential neighborhood in Palo Alto, when a police officer stopped him and asked to see his ID. According to Muller, when the officer inquired what he was doing there so late, he said that he was visiting a friend—he was reluctant to admit that hed trespassed on a trail that was closed after dark. The officer reported that Muller claimed to be a visiting professor at Stanford, which police later determined was false.
Three weeks later, a Palo Alto police detective came to Mullers apartment and left a business card with his wife. When Muller called the number, he learned that police wanted to question him about an attempted sexual assault in College Terrace. His name had come up in recent reports of suspicious persons in the area. He told the detective that hed read about the incident in the local paper, and he agreed to meet.
According to Muller, before he could make it to the station, two detectives showed up at his law firm to question him. The encounter set him on edge. He wondered if the detectives had come to install spy equipment in his office. Recalling his recent asylum cases, he decided that they were conspiring with the Chinese government. (The Palo Alto Police Department declined to confirm that Muller was questioned at his office, citing an open investigation.)
Muller already had suspicions about a certain Honda Accord often parked near his apartment. Hed been placing pebbles behind the wheels to check whether it moved and varying his route to work to avoid being followed. Now he memorized exit routes in his office building and worked with the blinds shut. When he became convinced that his pursuers were using a laser microphone to pick up sound vibrations in his office, he decamped to the firms library. “It seemed like this was going to rapidly escalate. They were trying to destroy me, because they wanted to make me lose my job, isolate me, make me lose my credibility,” Muller recalled thinking. “At that point, I started getting afraid for my family.”
He felt he had no choice but to flee. Muller traded his car, which he assumed was bugged, for his mothers SUV and stocked up on food and survival gear. A few days later, he disappeared.
![An illustrated portrait of Misty Carausu](https://magazine.atavist.com/wp-content/uploads/2022/04/CrimeBeyond_misty.jpg)
*Misty Carausu*
3.
**The day after** the South Lake Tahoe raid, Misty Carausu arrived at her new office on the second floor of the Dublin Civic Center. At the time, the police department occupied half the building, which resembles a ring cut in half and the fragments slid apart. Carausu sat down in an empty gray cubicle in a room with drab carpeting. She hadnt yet tacked up photos of her teenage son, whom she had at 16 and raised on her own.
Carausu didnt plan on becoming a cop. Pretty and bubbly, with manicured nails and striking hazel eyes, she was in her mid-twenties and working as an assistant manager at a Safeway when a friends husband was convicted of sexually assaulting a mutual friend. She joined the force hoping to find justice for rape victims. After a decade as a deputy, Carausu, who fostered bunnies, sometimes compared herself to Judy Hopps, the idealistic rabbit who works as a cop in Disneys *Zootopia*. 
As she labeled evidence from the cabin, Carausu couldnt get the blond strand of hair shed found in the Mustang out of her mind. “This wasnt his first time,” she told her colleagues. “Were going to solve some crimes.” With her bosss support, Carausu began to investigate whether theyd stumbled onto something larger than a single home invasion.
In police databases, Matthew Mullers name yielded a hit for an unsolved 2009 break-in near Stanford. A 32-year-old woman was sleeping in her apartment in College Terrace when a strange man jumped on top of her. He appeared to be in his twenties and was white, tall, and lean. He wore a mask, black gloves, and black spandex-like clothing. The man tied her hands behind her back, bound her ankles with Velcro straps, and covered her eyes with tape. Then he gave her a choice: drink NyQuil, get shocked with a stun gun, or be injected with what he called “A-bomb.” When she opted for the NyQuil, the man confirmed with her that she wasnt allergic to any of its ingredients before pouring the medicine down her throat.
The intruder gathered personal information and indicated hed use it to steal her money. At times the victim heard the man whisper to someone, and she would later describe seeing a silhouette in the room, but she never heard a second voice. She reported that the man tried to rape her and she fought back. When she made up a story about having been raped in high school, he stopped, saying he didnt want to victimize her again. Before leaving, he threatened to harm her family if she called 911, and mentioned that he had “planted evidence” to mislead authorities.
Three weeks before the attack, Carausu learned, a police officer had come across Muller walking late at night in the vicinity of the crime. Police later discovered that the College Terrace victim, a Stanford student, had attended an event that Muller organized at Harvard the previous year. Palo Alto detectives identified him as their primary suspect. But DNA recovered at the crime scene wasnt a match. Ultimately, law enforcement didnt find enough evidence to recommend charging Muller.
Carausu discovered that the home invasion had eerie parallels to two other unsolved crimes in Silicon Valley. Less than a month before the College Terrace incident, a 27-year-old woman in Mountain View woke around 5 a.m. to find a man on top of her. He appeared to be white and slim, about six feet tall, and wore tight black clothing and a ski mask. When she started screaming, he put his hand over her mouth and explained that he was part of a group of criminals that planned to steal her identity and wire money abroad. The man bound her hands and ankles, then placed blacked-out swim goggles over her eyes—she felt her hair catch in one of the straps. He made her drink what tasted like cough syrup before collecting personal information. At one point, he used her phone to send a message to her boss saying that she was sick. Periodically, the woman heard him talking to someone, but she never heard or saw anyone else.
Eventually, the man told her, “I have some bad news. Im going to have to rape you.” According to an account the victim later shared with NBCs *Dateline*, she begged him not to and he relented. “I cant do this,” he muttered. “Im sorry about this.” Throughout the encounter, the intruder was “polite,” the victim recalled. Before leaving, he advised her to get a dog for protection. The woman told *Dateline* that when she called the Mountain View police, they initially suggested she might have had a bad dream. Ultimately, authorities concluded that the person behind the attack had also likely committed the one in College Terrace. (In a statement for this story, the Mountain View police said, “We continue to keep this investigation open and have been and are treating it seriously.”)
The final case Carausu learned about happened three years after the other two, in November 2012. A 26-year-old woman who lived just north of the Stanford campus awoke at 2:20 a.m. to see a masked man in gloves and dark clothing at the foot of her bed. He held her down, but she screamed and fought back. Eventually, he fled. The woman later noticed that her computer had been moved and found two “bump keys,” which open any lock from a certain manufacturer, near the front door. In neither that case nor the one in Mountain View was Muller named as a suspect.
Carausu stumbled upon an additional clue when she called the owner of the stolen Mustang police had recovered in South Lake Tahoe. He turned out to be a medical student who lived on the edge of Mare Island, 40 miles northwest of Dublin. In early January 2015, he had returned from a trip to find that someone had taken his car keys from his home and driven his Mustang out of the garage. When Carausu told him that her department had arrested someone for a home invasion near where his car was found, he asked if shed heard of the “Mare Island creeper,” a Peeping Tom.
Between August 2014 and January 2015, at least four women in the area had reported seeing a man peering through their windows or climbing on their roof. Two had just taken a shower when they spotted him. One saw him taking pictures, while another saw him descending a ladder. Two of the women lived on the same street: Kirkland Avenue.
Some of the women described the voyeur as a white man, 25 to 35, wearing a black jacket. In August 2014, according to a Facebook post later documented in a police report, a Mare Island resident who heard sounds on his roof late one night saw someone fitting a similar description flee with a ladder. The resident encountered a strange man on two other occasions: One night, the man was crouching under the residents window; he said he was searching for his puppy, a husky. Another night, the resident found the same man in his backyard, where he claimed to be looking for 531 Kirkland Ave.; the address didnt exist. The student spotted the man a third time, walking a young husky and a golden retriever. According to a Facebook post, a woman who lived on Klein Avenue, a block from Kirkland, said that her neighbor had a husky and a golden retriever. The owner of the Mustang told Carausu that hed heard the womans neighbor was a former lawyer who had been in the military.
Then, as suddenly as the Peeping Tom incidents started, they stopped. “It was about the same time that the Vallejo kidnapping happened,” the Mustang owner told Carausu. *Why does that ring a bell?* she thought.
After the Dublin home invasion and Mullers arrest, a colleague of Carausus had put out an alert asking area police departments for information about similar crimes. Vallejo didnt respond. Online, Carausu found news stories about the kidnapping, which occurred three months earlier. She noted that one of the victims had blond hair. Then she remembered why the case had caught her attention: The Vallejo police had deemed it a hoax.
## A blinding light pulsed from the corner of the room, and red dots twitched across the walls—they looked like laser gun sights. “This is a robbery. We are not here to hurt you,” a man said in a businesslike tone.
**A mile wide** and less than four miles long, Mare Island is a flat, windswept peninsula within the city of Vallejo. According to legend, it was named by a Mexican general in 1835, after his white mare plunged from a capsized ship into the nearby Carquinez Strait, only to reappear onshore days later. For more than a century, the land was home to a naval base where warships and nuclear submarines were built. After the shipyard closed in 1996, Vallejo launched an ambitious redevelopment plan for Mare Island, hiring a private developer to install quaint residential neighborhoods and millions of square feet of commercial space. But the promise of instant suburbia proved illusory. Amid the Great Recession, both the city and the developer declared bankruptcy. Only around 350 of the 1,400 planned homes were built. A shopping center and a waterfront promenade were never completed. No grocery stores, cafés, or libraries opened. Instead, the landscape remained strewn with rusty railroad tracks and abandoned warehouses, concrete bomb shelters and toxic waste sites.
Lined with young ash trees and fluted lampposts, Kirkland Avenue sits at the center of Mare Island, on the edge of a tiny, crescent-shaped subdivision hugging a small park. Construction on the next street over halted so abruptly that it dead-ends after a single block, like a movie set. Most homes on Kirkland border a raised bank that opens onto salt marshes stretching out to San Pablo Bay. At night, pale street lamps strain against the dark, and the air smells of wild fennel.
Around 2 p.m. on March 23, 2015, Vallejo police got a call from a 30-year-old man named Aaron Quinn, who lived on Kirkland Avenue in an eggshell yellow house framed by neat hedges and pink rosebushes. At the scene, and later at the station, he recounted a strange story.
Quinn said that hed spent the previous evening with 29-year-old Denise Huskins, whom hed been dating for around eight months. The pair had met at a hospital in Vallejo, where they both worked as physical therapists. They looked like an all-American couple: He was a former high school quarterback; she had blue eyes and long blond hair. Around midnight, Quinn checked that all the windows and doors were locked and they went upstairs to bed. 
Three hours later, Quinn started awake. A blinding light pulsed from the corner of the room, and red dots twitched across the walls—they looked like laser gun sights. “This is a robbery. We are not here to hurt you,” a man said in a businesslike tone. He told the couple to lie facedown, but Quinn was too shocked to move. “Aaron, youre not turning over,” the man said. The intruder knew his name.
The man placed plastic zip ties on the bed and told Huskins to bind Quinns wrists and ankles. As she complied, her hands shaking, the man reassured her, “You are doing a good job.” He had Huskins walk to the large closet across the room, then helped Quinn off the bed so he could hop over to join her. Quinn kept his head down as instructed, and behind him he heard the crackle of a stun gun. He lay down on the carpet beside Huskins, shivering in his underwear.
Through the closet floor, Quinn heard someone downstairs rifling through kitchen cabinets and running a drill; he hoped this was just a twisted robbery. He felt the man put swim goggles with blacked-out lenses over his eyes and headphones over his ears. He heard melodic wind chimes, then a robotic voice. “Stay calm,” it said. “Our motivation is purely financial.” The recording, which at one point addressed Quinn by name, said he would be given a mix of NyQuil and diazepam, a sedative. The man took the couples blood pressure and asked if either of them had allergies or were on medications that were “contraindicated.” When they said no, he poured the liquid down their throats. Soon after, Quinn heard the man move Huskins to another room.
A new recording played in his ears. “You will be asked a series of questions,” it said. “If we believe you are not telling the truth, your partner will be punished by electric shock, then cuts to the face.” The intruder removed the headphones from Quinns ears and recited the address of Quinns childhood home. The man also knew where Quinn banked and asked for passwords to his financial and email accounts, his phone and laptop, and his Wi-Fi network.
After leaving briefly to speak with Huskins, the man asked Quinn if she looked like a woman named Andrea Roberts. “Yes, they both have long blond hair,” Quinn replied. Roberts was Quinns ex-fiancée and one of his and Huskinss coworkers. She had stayed in a separate bedroom at Quinns house after they broke up and moved out around the time he and Huskins began dating. “This was intended for Andrea,” the intruder said. “We got the wrong intel.”
The man left the room again for what felt like half an hour. When he came back, he told Quinn that Huskins was being taken, and that Quinn would need to pay a ransom of several thousand dollars. If he complied, Huskins would be returned within 48 hours. The man replaced Quinns headphones. A recording explained that the people committing the crime were a “black-market group” who collected “personal and financial debts.” Quinn was to stay in the house, in a marked-off area, and await instructions. If he failed to follow orders or called the police, his partner or family would be hurt. “Waiting will be the hardest part,” the recording said. “You should entertain yourself by reading.”
The man cut the zip ties around Quinns feet and guided him downstairs, where he again bound his ankles with duct tape and then laid him across the living room couch. He told Quinn to stay put until sunrise, then call in sick for work and text Huskinss boss that she was dealing with a family emergency. The man said that he would be taking Quinns car; he would let him know where it was in the morning so he could drive to the bank.
“Are you comfortable?” the man asked. Quinn asked for a blanket. “Oh yes,” the man said. “I forget how cold it is, because were wearing wetsuits.”
Quinn heard the trunk of his car shut, the engine start, and the garage door open. Using an armrest, he nudged the goggles off. The clock read 5 a.m. Groggy from the sedatives, he felt his eyes grow heavy. For the next six and a half hours, he drifted in and out of sleep. Eventually, he wiggled his wrists out of the zip ties and hopped to the kitchen, where scissors had been left for him to cut his ankles free. A device that looked like a security camera with a motion sensor beeped across the room. Strips of red tape on the floor marked the perimeter Quinn wasnt supposed to cross. His car, $200 in cash, and his Asus laptop were missing. Huskins was gone.
Soon after, Quinn received an email instructing him to take out $8,500 in cash from two different accounts. “We do not wish to trigger the $10000 reporting limit,” it said. If the bank asked why he needed the money, a second email instructed, he should reply that it was to pay for a ski boat. Quinn told police that hed agonized over whether to contact them at all, because of the kidnappers threats. Eventually, he spoke with his brother, an FBI agent, who advised him to call 911.
At the Vallejo police station, seated on a swivel chair under fluorescent lights, Quinn gave his statement to a pair of detectives. After a couple of hours, a stocky, balding man walked in wearing a blue T-shirt and jeans and chewing gum. He introduced himself as Mathew Mustard, the lead detective on the case. At first Mustards tone was collegial, but he soon made it clear he didnt believe Quinns story. “There aint no frogmen came into your house,” Mustard said. “Nobody dressed in wetsuits. It didnt happen.”  
Mustard later stated that he thought many details in Quinns account sounded fantastical: swim goggles, relaxing music, prerecorded messages, a perpetrator who supplied his victim with a blanket and reading material. The detective probed Quinn for information about his personal life, and Quinn said that he and Huskins had recently hit a rough patch. Shed found texts he sent to Roberts, his former fiancée, asking to rekindle their relationship. The night of the bizarre events Quinn described, Huskins had come over to talk through everything, and the couple had been drinking.
As far as Mustard knew, officers saw no signs of forced entry at the house. Upstairs they smelled “a strong scented odor” and noted that the carpets looked freshly vacuumed. Quinns comforter was gone from his bed, and the sheet had a small bloodstain. Police found Quinns car in a parking lot just three minutes from his house. The emails Quinn claimed were from the kidnappers had been sent from his own account, and he was in possession of Huskinss phone. After his girlfriend disappeared, Quinn didnt act as Mustard expected a crime victim would: He took a nap, called in sick to work, and texted Huskinss boss, ultimately waiting more than eight hours to call 911.
At the station, Mustard laid out his own theory. According to Quinn, the detective said he believed something “bad” had happened between the couple. Maybe they were fighting and Quinn pushed Huskins down the stairs, or maybe they were experimenting with drugs or sex and something went wrong. Mustard speculated that Quinn decided to cover up whatever happened with a crazy story. (The Vallejo police referred all questions about the department and individual officers to the City Attorneys Office. Calls requesting comment were not returned.)  
Quinn admitted that the whole thing sounded “like a movie,” but he insisted he was telling the truth. More than ten hours into the interrogation, he agreed to a lie detector test. A polygrapher from the FBI, which had been called in to assist with the investigation, told him afterward, “Theres no question in my mind that you failed this test, and you failed it *miserably.*” Aaron gripped his head in his hands. “I dont know where she is,” he said. Eventually, he asked for a lawyer.
As the police department prepared a press release, Mustard seemed convinced that he knew how the story would end. “Im looking for dead Denise,” he said at one point. According to Quinn, Mustard told him, “There aint going to be but one \[suspect\]. Its going to be *you*.”
4.
**Joyce Zarback,** Matthew Mullers mother, had just finished baking a casserole on a Saturday afternoon in November 2009 when she got a call from her daughter-in-law. Usually unflappable, the young woman was sobbing. Muller was gone, and she didnt know where he was. She was scared something bad had happened.
Zarback was stunned. Muller and his wife had just moved to California, and Muller seemed excited about his new job. After revealing his bipolar diagnosis the previous year, hed assured his parents he was seeing a psychiatrist and taking medication.
Zarback called a friend to say she wouldnt make it to their gourmet cooking club. In her sixties, Zarback was fit, with blue eyes and a crisp blond bob. She tended to power through tough times with a Protestant stoicism. Now she asked her second husband, John, to drive her to Mullers apartment in Menlo Park, where they met Monty, her ex-husband, and Kent, her other son.
Distraught, Mullers wife relayed what she knew: Around 12:30 the previous afternoon, shed come out of the shower to find Muller gone, along with his bike and the SUV hed recently borrowed from his mom. Muller had left a note on a flash drive: “Im going completely off the grid—no phone, email, credit cards, etc., so please do not try to track me as it will only draw attention.” Later, a scheduled email arrived explaining that he was running from people waging “psychological warfare” against him. “I live in terror most of the time and cant keep up appearances any longer,” Muller wrote. “This is perhaps the least extreme thing I can do to resolve it that does not also expose everybody to criminal liability.”
Nothing Zarback had read in *Bipolar Disorder for Dummies* helped her make sense of the situation. Her concern grew when Mullers father revealed that Muller had borrowed a pistol, supposedly to take his wife shooting. Mullers dad and brother drove off to search for Muller in Yosemite National Park, one of his favorite hiking spots. His wife, who had already reported him missing, composed herself enough to call anyone who might know something: Mullers psychiatrist, Deborah Anker, other Harvard colleagues. No one had any idea where he was or why he had fled.
Next, Mullers wife searched his recent purchases for clues. He had ordered more than 80 items over the previous two weeks. Zarback wrote some of them down: a tarp, a solar shower, water carriers, a survival guide, an axe, a utility knife, mosquito nets. A few purchases had less obvious uses in the wild, such as a laser and a motion sensor. Muller also bought *Knife of Dreams,* a fantasy novel in which one character has a mental disorder that involves hearing voices and destines him for “descent into terminal madness.” It dawned on Zarback that Muller must have spent days or even weeks stashing gear in the garage, hiding traces of a disordered mind in the recesses of his ordinary life. “This was a carefully planned-out thing,” she said. “Here is this person whos led this model life whos now just imploding.”
Two days after Muller disappeared, his wife received a message from him. He wanted to know if Zarbacks SUV was equipped with LoJack, technology that uses GPS data to locate stolen cars. Eventually, he revealed that he was staying just outside Zion National Park in Utah, not far from the city of Hurricane. He agreed to let his wife pick him up.
## Not long after the divorce was finalized, according to Mullers ex, her housemate came to her room one night, visibly shaken. She said that shed woken to find a man standing over her, watching her sleep.
**Mullers memory** of what happened after he left home is patchy, but he recalled taking a circuitous route to Utah, making reservations at three hotels, and possibly taping his cell phone to a long-haul truck to throw off the Chinese government, which he was still convinced was after him. After hiding supplies in two caches in case he was attacked, Muller hiked for more than a day before setting up camp near a creek. He walled off the site with a tarp and surrounded it with motion detectors and trip wires that would set off alarms attached to his wrists.
At first, encountering nothing alive but the occasional rabbit, Muller felt relieved that hed shaken his pursuers. But before long the landscape itself seemed to grow ominous. Prickly pears became faces contorting in pain. A mesa menaced him by day and haunted his dreams. He eventually returned to the SUV and contacted his wife on a burner phone.
It was decided that Muller should stay with his mom for a while. When his wife dropped him off, Zarback hardly recognized her son. Hed dyed his hair blond and seemed like an actor whod taken on a new role, that of a scared and sickly child. During their walks on a nearby trail, his eyes darted feverishly, discerning dark omens in the dry grass and danger in the glassy face of Lake Natoma. For the next nine months, Muller sank into a paralyzing depression. He left his job and moved in with his father, only leaving bed for an hour a day to force down food and guess at the combination of the lock on Montys gun safe.
Then Muller began to climb out of the hole. He agreed to see his psychiatrist, resumed medication, and moved back in with his wife. He began volunteering with a legal nonprofit, and in March 2011 he got a job with Reeves and Associates, a firm in San Francisco specializing in immigration. Soon after, Muller registered with the state bar: He was finally able to practice law in California. Steven Malm, an associate who joined the firm around the same time, was impressed by Mullers intelligence and dedication to his clients, but he sensed something was off below the surface. “There was an angst, a certain energy driving him that was stronger than youd normally see,” Malm recalled. “It was almost like he was in a different world.”
In fact, Muller was once again losing his grip on reality. Struggling to focus, he stayed in the office overnight in hopes of catching up on casework. After he was spotted on a security camera, some of the firms partners asked him to stop. According to Muller, he heard his boss, Robert Reeves, say on one occasion, “We dont need people here who have to take pills to stay right in the head,” and on another, “It would be nice if we could just chip our associates.” Muller believed Reeves had read an email Muller sent to his psychiatrist and had learned of his bipolar diagnosis, and that his boss was now spying on and plotting against him. (Reeves died in 2016; the firm did not respond to requests for comment.)
Less than six months after joining Reeves and Associates, Muller copied thousands of files from the companys network onto a flash drive, installed a program that wiped his computer, and sent an email announcing his immediate resignation. Through monitoring software, his employer discovered that hed taken data, and the firm sued him, assuming that he planned to use it to start his own practice. In fact, Muller had a different motive: to find irrefutable evidence that Reeves was tracking him. “I mostly wanted to prove to myself that I wasnt crazy,” he said. Muller found no proof. The firm eventually dropped the suit.
Muller got a job with another immigration firm. A burst of manic energy kept him productive at first, but soon he shifted into what he called a “mission from God” phase. On the side, he formed a nonprofit called Immigrant Ability to advocate for immigrants with mental illness. He became consumed with helping a pro bono client named Blanca Medina, a mother who was about to be deported to El Salvador. In mid-2012, Muller filed a legal motion on Medinas behalf and launched an online petition that gathered 118,000 signatures. As a result, federal officials agreed to halt her deportation at the last minute and reopen her case.
It was a victory, but Muller couldnt enjoy it. He began to suspect that federal immigration authorities were tapping his phone and retaliating against his other clients, and that his new boss was in on the plot. He didnt last much longer in the job. 
In December 2012, Mullers wife filed for divorce, citing irreconcilable differences. They soon signed a settlement in which she agreed to pay Muller $3,400 a month in alimony. In later court filings, she stated that she accepted the terms only because Muller “continuously pressured and intimidated” her. She claimed that Muller had told her hed “hacked into my computer and was using surveillance to keep track of my actions,” and that he “threatened to use his immigration expertise/contacts” to get her and her family deported. She also stated that, during one meeting, Muller grabbed her to keep her from leaving while he checked her car and purse for recording devices. Afterward, her mother and brother reported seeing bruises on her arm.
Mullers ex also claimed that, during divorce proceedings, she learned that Muller had faked documents while they were married in order to add her as a cosigner on a $50,000 car loan, and that he threatened to “destroy me and my family” if she reported the fraud. She also said that, prior to the alimony settlement, Muller had forced her to lend him more than $22,000. When one alimony check was late, Muller wrote to her, “You are going to be responsible for losing your job, losing your license, and the suffering that will bring your family.” Another time, he sent her an email claiming that, in case of his “disappearance/detention/incapacity,” people with fake names would contact her and an automated “system” would “guarantee you could never take me out without paying a high price.”
In an interview, Muller said, “Unless I was in the middle of some sort of a psychotic episode, I have no memory of anything like that.” He also said that his ex-wife knowingly cosigned for the car loan, and that the $22,000 was an advance on spousal support. Muller denied threatening to get her or her family deported, and said that he didnt intentionally hurt his ex-wife.
Not long after the divorce was finalized, according to Mullers ex, her housemate came to her room one night, visibly shaken. She said that shed woken to find a man standing over her, watching her sleep. The intruder had fled the apartment before she could react. “At the time, I had dismissed it as perhaps a nightmare,” Mullers ex wrote in a court filing. Her housemate, though, “was absolutely certain and very scared.”
“I did not think it could have been Matthew,” his ex stated. She later changed her mind.
---
**Zarback did what** she could to help her son. She gave him money to lease an apartment in downtown Sacramento, where Muller seemed content to spend his days decorating his home, watching movies, and walking Paya, the golden retriever puppy he had adopted. But when Zarback came over, she noticed that one bedroom was “like a garbage can,” so cluttered with boxes, newspapers, and furniture that she couldnt see the floor. “Everything else would be neat and clean and beautiful, and this one room—its kind of like his mind,” she said.
Mullers traffic citations, overdue bills, and tax notices showed up in Zarbacks mail. She discovered that hed been pulled over several times for traffic violations and twice arrested for driving with a suspended license. Mullers bar membership was suspended, initially because he didnt pay dues, and later based on disciplinary charges stemming from his mishandling of a case in his last job. He would ultimately be disbarred. In March 2014, his landlord sent him an eviction notice, and the following month Muller filed for bankruptcy; the case was dismissed after he failed to submit documents on time.
Zarback drove her son to court, ensured that he renewed his drivers license, and paid his tickets to keep him out of jail. She made appointments for him with psychiatrists at a veterans hospital but had no way to know whether he was taking his medication. When she or Monty asked questions, Muller assured them he was fine or refused to discuss his illness.
In the summer of 2014, Muller found a job at ThinkTank Learning, an after-school academic program. He also started dating a medical researcher, and they moved into a four-bedroom house with ionic columns on Mare Island, a block over from Kirkland Avenue. In addition to caring for Paya, the couple sometimes dog-sat another golden retriever and a husky. Zarback hoped that her son was rebuilding his life, but when she visited his new home, she noticed that one room was already filling up with boxes.
One day, Mullers new partner called to tell Zarback that she was concerned about Muller taking long walks around Mare Island at night, dressed in black. Soon after, the couple broke up, and Muller took leave from his job. “After that, something clicked off in him,” Zarback recalled. “He just gave in to whatever illness this was.”
In early 2015, Muller asked his mom if he could stay in the cabin she and her husband owned in South Lake Tahoe. She thought spending time outdoors with Paya would help his mental health, so she said yes. Instead, Muller grew more reclusive, making excuses when Zarback offered to visit and seeming eager to hang up during their weekly calls. When she did see him one day that spring, Muller exploded in anger, because he thought his parents were spying on him.
Zarback felt like there was nowhere to turn as she lost her son to his inner demons. She didnt think she could force him into treatment, because to her mind, he wasnt an imminent danger to himself or to others. She once dialed a number the VA had given her to use in a crisis, but the person on the line told her to call 911.
The morning of June 8, 2015, Muller phoned Zarback and asked her to pick him up at a Starbucks in South Lake Tahoe. She asked him why. “Mom,” Muller replied, “can you just come get me?”
After Zarback picked him up, Muller recounted his plans to live like a monk in the middle of the desert. He seemed determined and slightly anxious. Half an hour after they arrived at Zarbacks house, Muller announced that he was borrowing his brothers car and driving back to the cabin. He wouldnt explain why. None of it made sense to Zarback. 
“Cant you stay awhile?” she asked.
“No, Mom,” Muller said. “I need to get back.”
![](https://magazine.atavist.com/wp-content/uploads/2022/04/CrimeBeyond_gogglesgun.jpg)
5.
**Henry K. Lee** was one of the first people to report that Denise Huskins had gone missing from her boyfriends home on March 23. Forty-one years old, with a receding hairline and black plastic-framed glasses, Lee was a crime reporter for the *San Francisco Chronicle.* He had an enthusiasm for his beat that hadnt wavered in more than two decades, since he joined the paper as an intern. It wasnt unusual for him to report while on vacation with his family or to file six stories a day.
The day after Huskins vanished, Lee drove to Mare Island in his aging Crown Victoria. When he arrived at Aaron Quinns house, police cars and news vans crowded Kirkland Avenue, and helicopters hovered overhead. Investigators unfurled yellow crime-scene tape and dusted windows for fingerprints. More than 100 search personnel and several police dogs hunted for traces of Huskins around the peninsula, and divers were set to comb the surrounding waters.
Lee was chatting with a group of reporters when his phone buzzed. He saw an email with the subject line “Denise,” sent from the account of A. J. Quinn—he recognized the name of Huskinss boyfriend, who had reported her missing. Lee stepped away to read the message. Huskins “will be returned safely tomorrow,” it said. “Any advance on us or our associates will create a dangerous situation.”
The message contained a link to an audio clip. Lee heard a womans voice: “My name is Denise Huskins, and Im kidnapped. Otherwise Im fine.” To prove that the clip hadnt been prerecorded, the woman described a plane crash in the Alps that occurred that morning. To confirm her identity, she noted that the first concert she went to featured Blink-182 and Bad Religion.
Lee thought the recording was a joke. “Youre inured to what you see on crime shows—someone calls for help or … is clearly being forced to say the words,” he later said. “In this case, she seemed to just be having a normal conversation.” Lee saw no reason a kidnapper would send a proof-of-life tape to him alone. Maybe someone at the scene was messing with him, or perhaps a reader had sent an unhinged missive. Still, he forwarded the email to Vallejo police, asking them to verify its authenticity—“in the event it is not a prank,” Lee wrote.
The next evening, Lee was scrolling through his phone in bed when he read a police press release stating that Huskins had resurfaced that morning in her hometown of Huntington Beach, more than 400 miles south of Mare Island. After initially being “cooperative,” the release said, Huskins hired a lawyer and stopped communicating with detectives. Then Lee read a line that sounded surreal: “Given the facts that have been presented thus far, this event appears to be an orchestrated event and not a kidnapping.” The police would be giving a press conference that night.
Lee bolted out of bed. Careful not to wake his two young kids, he rushed downstairs and turned the TV on low. His face glowed blue in the dark living room as he watched Vallejo police lieutenant Kenny Park address reporters. “The statement that Mr. Quinn provided was such an incredible story, we initially had a hard time believing it,” Park said. “Upon further investigation, we were not able to substantiate any of the things that he was saying.” Park said that Quinn and Huskins had sent authorities on a “wild goose chase” and “plundered valuable resources.” They “owe this community an apology,” he insisted, and could face criminal charges.
Lee was stunned. A *faked* kidnapping? Hed never heard of anything like it. Vallejo police hadnt replied to him about the proof-of-life recording hed forwarded, but he figured they knew something he didnt. “If the Vallejo cops said this was a hoax,” he recalled thinking, “it must have been a hoax.”
## “What do you say when the police say this was a fabrication?” a reporter asked Rappaport. “A lot of people said the world was flat as well,” he replied.
**What the cops** knew was this: Just before 10 a.m. on March 25, Huskinss father, whod traveled from Southern California to Vallejo after she was reported missing, notified the police that hed received a voicemail from his daughter. She said that she was on her way to his home in Huntington Beach, where her kidnapper had dropped her off.
When local officers arrived, Huskins was in a neighbors apartment. Like Quinn, she described a bizarre home invasion involving lasers, swim goggles, wetsuits, and prerecorded messages. She said her captor took her in the trunk of a car to what seemed like a secluded location several hours from Mare Island. She was held in a room with a queen-size bed and windows blocked with cardboard. At one point he bound her to the headboard with zip ties and a bike lock.
Huskins told police that she was blindfolded and drugged much of the time, but that she believed her kidnapper was a white man with “brownish red” hair. He claimed to be working with three associates—“T, J, and L”—and said that clients hired them to kidnap people for ransom. After 48 hours, Huskins said, the kidnapper for some reason decided to release her. He chose Huntington Beach, her hometown, because authorities werent looking for her there. On the drive south, he let her ride in the front seat; he put blacked-out swim goggles over her eyes, then replaced them with tape over her eyelids and a pair of sunglasses. 
Huskins showed officers a pair of tennis shoes and a water bottle that she said the kidnapper had given her. An officer asked what kind of car the man had been driving. She said it sounded like a Mustang. When the officer asked if shed been sexually assaulted, Huskins said no. All things considered, she added, the kidnapper had treated her well, supplying food and water and letting her shower in private. 
Huskins would later elaborate on her captivity, noting that her kidnapper seemed intelligent and socially awkward, and that he told her hed been in the military and had served in the Middle East. The man said that hed entered Quinns home five times in recent months, even standing outside the bedroom when Huskins was over. She said that he supplied her with toiletries, served her pizza and wine on a formal place setting, and screened a French film. At one point, he showed her a news story that quoted her father, then held her as she cried. “I wish we would have met under different circumstances,” he told her before letting her go. “You are an incredible person.”
When the Huntington Beach police got Mathew Mustard on the phone, Huskinss cousin Nick, who had come to be with her and was an attorney, offered to take the call. The Vallejo detective had been wrong about Huskinss fate—there was no “dead Denise,” as Mustard had told Quinn there would be—but he still wasnt buying the couples account. According to Nick, Mustard said he could offer either Huskins or Quinn immunity if they cooperated with police. He implied that it would be first come, first served. (Mustard has denied making this offer.)
Mustard wasnt alone in doubting the kidnapping story. That afternoon, according to former Vallejo police chief Andrew Bidou, Mustard met with his supervisors and an FBI agent named David Sesma. Several of the men in the room found it suspicious that Huskins had reappeared near her parents homes, wearing sunglasses and carrying luggage. She looked “casual, like somebody just came back from a trip,” not like “somebody that just went through a very traumatic incident,” Bidou, who was in the meeting, later said in a deposition. On her face police observed “darker impression circles … consistent with wearing swim goggles,” but they noted that Huskins “did not appear to have any injuries.” When they searched the alley where Huskins said her kidnapper had dropped her off, police didnt find the tape she said shed removed from her eyes. Officers asked a gardener whod loaned Denise his phone, so she could call her father, whether she was “nervous, excited, or scared.” The man said, “No, she seemed completely normal.”
Some of the officers gathered in Vallejo wondered why Huskins hadnt accepted an offer to return to the city on a flight the FBI had arranged, and why she was now communicating through a lawyer. Whats more, they doubted the supposed evidence of a home invasion. Items from Quinns home that he claimed were left behind after the crime—a portable charger, camera, zip ties, goggles, and red tape—“would have been props to promulgate the story,” Bidou later said.
After less than half an hour, according to Bidou, the conclusion in the room was unanimous: “Everyone believed that it was a purposeful act.” At 9:30 that night, less than 12 hours after Huskins resurfaced, Kenny Park was on TV, accusing her and Quinn of perpetrating a fraud.
At a lunchtime press conference the next day, Quinns attorney, Daniel Russo, insisted that the Vallejo police were the ones peddling “blatant lies.” Lanky and mustached, with a Bronx accent, Russo explained that Quinn had given detectives his fingerprints and DNA, and that hed turned over his clothing and provided the police with access to his electronic devices. Quinn had spent more than 17 hours answering questions and agreed to have his home searched. “I dont know what else he can do,” Russo said. “I guess they can start pulling his teeth.”
At his own press conference, Huskinss new lawyer, Douglas Rappaport, told reporters that his client had spent more than five hours talking to authorities that day and was “absolutely, unequivocally, 100 percent, positively a victim, and this is no hoax.”
“What do you say when the police say this was a fabrication?” one reporter asked.
“A lot of people said the world was flat as well,” Rappaport replied.
---
**On the day** of the press conferences, Henry Lee was nearing the end of his shift in the newsroom when he got another strange email, this time from huskinskidnapping@hotmail.com. “Ms. Huskins was absolutely kidnapped,” the message said. “We did it.”
The author claimed to speak for a group of “professional thieves” based on Mare Island who had been stealing cars prior to kidnapping Huskins, which was a test run for more lucrative crimes. “Until now, this was a bit like a game or movie adventure,” the email read. “We fancied ourselves a sort of Oceans Eleven, gentlemen criminals.” But after spending time with Huskins, the criminals developed “a case of reverse Stockholm syndrome.” Ashamed and “unspeakably sorry,” they were upset that she was being “victimized again” by the police. As proof of authenticity, the author attached a photo of the weapon supposedly used during the crime: a Nerf Super Soaker spray-painted black, with a laser pointer and a flashlight affixed to the barrel with duct tape.
Lee couldnt fathom that genuine criminals would risk getting caught just to defend their victim. When he noticed that the email was peppered with terms like “indicia” and “held in contempt,” he wondered if Huskins and Quinn had asked a lawyer to draft it. Lee replied to the sender with a request for an interview, then passed the email to police.
Two days later, on Saturday, March 28, Lee was hiking in the redwoods with his family when his phone dinged. A longer screed had arrived, this time from the address none@nowhere.com. The author claimed to speak for “three acquaintances” who started stealing cars as a “contrast to the office doldrums,” a mischievous lark “like something out of A Clockwork Orange*,* up to that point without the ultra-violence.” One of the cars was a white Mustang that belonged to a local medical student who had a habit of speeding. “We took it, and maybe saved a neighborhood kid or dog,” the message read.
The thieves allegedly entered homes on Mare Island to steal car keys, personal information, and items they could use to fool investigators, like loose hairs. They were careful to avoid houses with children, seniors, or veterans. The author said the thieves once scared a neighborhood Peeping Tom off a roof, then called the police on him “from a burner phone, pretending to be a resident.” The author also said that the criminals set up electronic perimeters, surveilled homes with drones and game cameras, and wore hairnets and wetsuits to avoid shedding DNA. “I will pause to note how fantastical all of this sounds,” the email read. “Because even I cant help but think that as I write.”
Eventually, the author claimed, the criminals decided to try their hand at kidnapping for ransom. They experimented with a dog-training collar and a “muscle stimulation device” to subdue victims, but settled on a stun gun that could deliver “a brief shock to the male if circumstances called for punishment.” They got into Quinns house by drilling holes around a window to release the lock, then they drugged the couple to “make them more compliant and to make the situation less traumatic.” After the ordeal was over, theyd planned to hand the victims “literature on trauma and recovery.”
The message included a link to photos. One was of gear purportedly used in the kidnapping, including two-way radios, burner phones, gloves, flashlights, license plates, portable speakers, a blood-pressure cuff, and zip ties. Another depicted the bedroom where Huskins supposedly had been held, with cardboard taped over a window and the victims glasses on a dresser.
Lee couldnt understand why Quinn and Huskins would keep sending bizarre emails or go to the trouble of staging photos. Unsettled, he called a Vallejo police lieutenant he knew. Off the record, Lee asked the officer whether he and his family might be in danger. The lieutenant told him not to worry—this must be part of the fraud.
## “They said something along the lines of Oh shit,’ ” Campos recalled, “but in a more professional way.”
**Three months later,** when Misty Carausu read Quinns and Huskinss accounts of what had happened to them, she saw no evidence of deception—she saw parallels to the home invasion in Dublin and to the ones in Silicon Valley in 2009 and 2012. She called the Vallejo police department a handful of times over more than a week before speaking with a detective in late June 2015. “You guys said it was a hoax,” she said, “but it may not be.” Carausu found the detective dismissive. He referred her to the FBI, which had taken over the investigation.
Carausu phoned David Sesma, one of the agents whod been in the room with the Vallejo police departments top brass when they decided the crime had been faked. “We never said that was a hoax,” she recalled Sesma saying defensively. Carausu described the Dublin break-in and the suspect they had in custody. “We have all this information—it might be of some use to you,” she said. (The FBI declined requests for interviews with individual agents and said in a statement, which it issued in coordination with the U.S. Attorneys Office for the Eastern District of California, that it could not respond to questions. “All investigations are conducted in a manner that is respectful to victims right to privacy and court records detail the efforts of the men and women who investigate our cases,” the agency said.)
The Vallejo case was still making headlines. Some outlets had dubbed Huskins the “real-life Gone Girl,” after the antiheroine in Gillian Flynns best-selling thriller who fakes her own disappearance to frame her husband for murder, then reappears. The film version of the novel came out less than six months before Quinn reported the crime, and Huskins resembled the lead actress, Rosamund Pike. In the movie, a cable news host obviously modeled on Nancy Grace, the television commentator and self-styled victims rights advocate, falls for the ruse, suggesting on the air that the husband is a “sociopath” and “wife killer.” In real life, Grace compared Huskins to the *Gone Girl* character on her program and declared, with air quotes, “Everything about this kidnap screams out hoax.”
The media werent the only ones comparing the case to *Gone Girl.* According to Huskinss mother, when she met with Mustard to review the proof-of-life recording sent to Lee, the detective suggested that her family watch the movie to understand the situation. According to Rappaport, Huskinss lawyer, Sesma at the FBI said the same thing to him after Huskins turned up in Huntington Beach.
That was before Carausu called him. Two days after talking to her, Sesma and fellow FBI agent Jason Walter met with Dublin police to review evidence seized from the cabin and the Mustang in South Lake Tahoe. When the agents saw pictures of the blond hair tangled in blacked-out swim goggles and a Super Soaker with a laser and a flashlight taped to it, they looked visibly shocked, according to Miguel Campos, the lead detective in the Dublin case. “They said something along the lines of Oh shit,’ ” Campos recalled, “but in a more professional way.”
---
**The next evening,** Quinn sat across from Sesma and Walter in a conference room at his lawyers office. Sesma, the more seasoned FBI agent, looked polished. Walter, who was two years into the job, was brawny, with visible tattoos—Quinn could easily picture him kicking down doors. The agents had asked Quinn to meet because thered been a break in the case, but he was worried it was a ruse to arrest him. The authorities seemed intent on proving that he and Huskins were liars.
He was skeptical for another reason: Several years prior, Sesma had had a romantic relationship with Quinns ex-fiancée, Andrea Roberts—the woman whom Quinn told police the kidnapper said he was targeting—before she and Quinn started dating. It was another strange circumstance in a case full of them. Rappaport had already sent a letter to the Department of Justice arguing that Sesma had a conflict of interest; in a letter included in court filings, a federal prosecutor would later state that “the appropriate offices have found his conduct unproblematic.” When Sesma nodded hello, Quinn had to stop himself from flashing his middle finger.
The agents said they had images of evidence they wanted to show Quinn. Walter slid a photo of an Asus laptop across the table. “It looks like the computer the kidnappers stole, but I cant say for certain,” Quinn said, according to his account in *Victim F*, a book he and Huskins published in 2021, in which they write alternating chapters. Next, Walter showed him a picture of swim goggles with black tape over the lenses. Quinn said they looked like the ones hed been forced to wear. Finally, Walter revealed a snapshot of a man Quinn didnt recognize. He looked like an average white guy, someone who would blend in to the scenery if Aaron passed him on the street—yet his stare felt unnervingly familiar. “We found a long blond hair wrapped around goggles at his place,” Walter said of the man in the photo. “Aaron, we think this is the guy.”
After months of trauma and humiliation, it was hard for Quinn to believe that the authorities were no longer treating him and Huskins as suspects. During his initial interrogation, detectives had asked Quinn to strip naked and change into striped prison pants—they told him it was all they had on hand. They questioned him in a room with no clock or windows. He had felt trapped “in some sort of movie … forced into a character I never wanted to play,” he later wrote in *Victim F*. After investigators spent hours pressuring Quinn to confess, he curled into the fetal position and cried. At one point, he wondered whether he was suffering from a psychotic break.
Huskins had fared no better. When she met with Rappaport the first time, she told her attorney what shed been too afraid to tell police: The kidnapper had raped her twice and threatened to harm her and her family unless she kept quiet. It wasnt her first experience with sexual violence. Huskins was molested as a child—a fact that, according to her mother, had prompted Mustard to tell Huskinss family that people whod been sexually assaulted at a young age often want to “relive the thrill.” According to Rappaport, when he contacted Vallejo police to request a forensic exam for his client, an officer asked, “Well, how do we know she was raped?” The exam was authorized, but it was conducted 14 hours later. At the hospital, according to Huskins, nurses noticed bruises on her back and elbow. It would be months before the results came back. (Mustard has denied making the comment about sexual-assault survivors, and the Vallejo police have denied second-guessing the request for a rape exam.)
After interviewing Huskins, Sesma told her that it was a crime to lie to a federal agent. Like Quinn, she briefly questioned her own sanity. “Am I schizophrenic?” she recalled wondering. “If all these people are sure about it, is it me whos wrong?”
While they waited to learn if they would face criminal charges, Quinn and Huskins felt like pariahs. In their telling, the hospital where they both worked launched an investigation of Quinn, and a fellowship Huskins believed she was in line for fell through. (The hospital declined to answer questions for this story. “We have great sympathy for what Ms. Huskins and Mr. Quinn endured and wish only the best for them and their family,” it said in a statement.) Strangers left hateful comments online, calling Huskins names. Some of the couples friends and relatives briefly wondered if they were guilty. Even Quinn admitted that he fleetingly considered, while Huskins was missing, whether she might have staged the crime as payback for his attempts to reunite with his ex.
Quinn and Huskins regularly woke at 3 a.m., hearts pounding. Both struggled with PTSD. Huskins, who suffered from panic attacks, became too distraught to return to work and slept with a hammer beside her bed. On days when she came home alone, she checked behind doors and in corners, a knife in her hand.
The couple initially hoped Henry Lee at the *San Francisco Chronicle* would unearth the truth by following clues in the emails hed received, like reporters in movies do. Instead, journalists like Lee “were blinded by their own assumptions,” Huskins wrote in *Victim F.* They seemed to take the polices account at face value rather than dig deeper. “Its easier to believe that theres two crazy people doing stupid stuff than to think the whole police organization and the media have systematic flaws,” Quinn said in an interview. “A lie repeated over and over eventually becomes the truth.” 
Now, suddenly, the FBI agents were more or less telling Quinn that they had solved the crime. His name and Huskinss would finally be cleared. But Walter gave Quinn a caveat: “You cant tell anybody about this.” Even though the man suspected of the crime was in custody for another home invasion, the FBIs arrest affidavit would remain sealed for the time being. For a few more weeks, Quinn and Huskins would have to endure being branded liars.
![](https://magazine.atavist.com/wp-content/uploads/2022/04/CrimeBeyond_couple.jpg)
Denise Huskins and Aaron Quinn
6. 
**The day after** Muller drove off in his brothers car in June 2015, the police showed up at his mothers front door. Muller was in custody, they told Zarback, arrested that morning at the cabin in South Lake Tahoe for a home invasion in Dublin. Zarback could hardly believe what she was hearing. Her sons behavior had been erratic, but nothing prepared her for the idea that he could break into someones home and commit violence.
Zarback rushed to visit Muller at the El Dorado County Jail in South Lake Tahoe. He was in tears, head bowed, repeating, “Im so sorry, Im so sorry.” He didnt go into details about the crime of which he was accused. Nor did he act surprised about his arrest—to Zarback, he seemed almost relieved. She comforted her son through the bars of his cell. “This is really bad,” she said, “but you just have to go on and take it a day at a time.”
A few weeks later, in late June, Zarback, her brother, and her husband returned from hiking near Lake Tahoe one afternoon to find the cabin surrounded by police and FBI agents. David Sesma approached them and explained that the FBI had a warrant to collect evidence. But this wasnt about what had happened in Dublin—Muller was being charged with kidnapping a young woman in Vallejo.
The next day, federal investigators searched Mullers fathers house, where they learned that a wetsuit had gone missing. Agents also combed a storage unit Muller was renting in Vallejo, where they found bedding in a garbage bag, black duct tape, a wireless camera and receiver, and a handful of remote-control drones.
Zarback was horrified by the new revelations. “Nobody had any idea that he was this far gone,” she said of her son. When Zarback visited Muller again in jail, she asked him if hed carried out the kidnapping alone. According to Zarback, he nodded, then reminded her that the jail recorded conversations.
It would be months before they could speak more freely. By then Zarback saw no point in asking more questions. “What am I going to gain from that?” she said.
## “They couldve been heroes in this, but instead they put blinders on,” Quinn later said of investigators. “Theres this saying: If you hear hooves, think horses not zebras. But zebras do exist.”
**On a Monday** afternoon in July 2015, Quinn and Huskins prepared to face the media. So much had been said and written about them, but this was the first time they would appear before the press. A few hours in advance, they finally saw Mullers 59-page arrest affidavit, and digested what appeared to them to be grievous lapses in the investigation of their case.
Quinn already knew that, while he was being interrogated at the Vallejo police station, authorities had missed calls from unknown numbers, along with two emails from the kidnapper, because theyd put his phone in airplane mode. Now he read that three calls had come from a burner phone, which law enforcement later traced to within 300 feet of the cabin in South Lake Tahoe. The phone had been purchased at a Target and activated the day of the crime; the store had provided security footage of the customer, a white man with dark hair. The affidavit also revealed that the polygraph Quinn was told he failed had actually yielded “unknown results.”
Quinn and Huskins were equally troubled by what the document didnt say. It didnt mention the drill holes Quinn had discovered near a window in his living room, the ripped window screen he found in the garage, or the set of keys hed told police were missing. There was no indication that Vallejo police had asked other jurisdictions in the area for information about similar crimes, or that law enforcement had looked for surveillance footage or eyewitnesses who might corroborate Huskinss account of the drive to Huntington Beach. There was no mention of testing results for key pieces of evidence in the investigation, including a stain found on the floor of Quinns home and material gathered during Huskinss rape exam. The stain would later test positive for substances that cause drowsiness; the rape exam would show the presence of DNA from at least one male, based on a sample too incomplete for further testing.
The couple also learned that Lee wasnt the only person who had received strange emails related to the crime. According to the affidavit, Kenny Park of the Vallejo police received messages stating that the cops had “more than enough corroborative information” to “know by now that the victims were not lying.” Like the emails to Lee, these messages were purportedly from the kidnappers and were sent using anonymous email services based overseas.
Quinn and Huskins wondered if authorities would ever have solved the case if Misty Carausu hadnt told Vallejo police and FBI about Muller. “They couldve been heroes in this, but instead they put blinders on,” Quinn later said of investigators. “Theres this saying: If you hear hooves, think horses not zebras. But zebras do exist.”
The couple tried to remain stoic as they stood with their lawyers before a scrum of reporters. Quinn, in a blue button-down shirt, had a furrowed brow and haggard eyes. Huskins, in a beige sleeveless blouse, clenched Quinns arm as her lips quivered. The couple were “not just not guilty, but innocent,” Rappaport declared. “Today, the Vallejo Police Department owes an apology to Ms. Huskins and Mr. Quinn.” Russo, Quinns lawyer, added, “The idea that in a short period of time they decided it was a hoax, that only works in Batman movies.”
For the next several days, Vallejo police refused to retract their claim that the kidnapping was staged. “We dont know what the final outcome of this case is going to be,” Captain John Whitney told the *Vallejo Times-Herald*. “Its important that we dont jump to conclusions.” A week after the press conference, Bidou, the police chief, sent letters to Quinn and Huskins apologizing for “comments” the department had made during the investigation. “While these comments were based on our findings at the time, they proved to be unnecessarily harsh and offensive,” he wrote. The kidnapping, he admitted, “was not a hoax or orchestrated event.”
He promised to apologize publicly when Muller was indicted a few months later. The Vallejo police department would not issue a public apology to the couple for six years.
---
**In September 2015,** more than three months after he was arrested, Muller pled no contest to felony charges of burglary, attempted robbery, and assault with a deadly weapon in the Dublin break-in. A few days later, he was moved to the Sacramento County Main Jail to await a federal trial in the Vallejo case. Mullers attorney, Tom Johnson, initially told Zarback that he would mount an insanity defense but ultimately recommended that he plead guilty. Muller agreed, and he sent his parents a letter asking them to support his decision. “I have some serious health limitations, and it seemed like I was just unable to accept them and kept pushing myself to dangerous places,” he wrote. “Im much safer now.… There are still things I can do to help people.” (Johnson declined requests for an interview.)
After spending time on suicide watch and at a psychiatric hospital, Muller at first seemed to improve behind bars. On medication and without pressure to live a “normal adult life,” he was “deeply remorseful” yet “more free of suffering right now than I have been for a long time,” he wrote to his parents. “The worst day of jail is better than the best day of feeling like youre being watched or followed by people with sinister intentions.” He asked Zarback to send him GED books so he could tutor a fellow prisoner, and to add money to other prisoners commissary accounts.
But as was so often the case in Mullers life, the mental upswing was short-lived. According to Muller, by the time he pled guilty in September 2016 to federal charges in the Vallejo case, hed become so depressed that he developed bedsores from spending too much time on his bunk. When a small earthquake hit the area, he wished the walls would crush him. “I did not care about my future. I just wanted to do what was best for everybody because I had plans to kill myself eventually anyway,” he later wrote in a court filing.
Prior to Mullers sentencing in March 2017, prosecutors argued in a memo that he should receive 40 years in prison, the maximum term under the plea deal. “There is no expert evidence to support the conclusion that any mental condition makes Muller any less morally culpable for his crime,” the memo stated, or “to support the conclusion that any kind of mental health treatment could ever make Muller any less dangerous.”
Anker and 16 of Mullers Harvard colleagues submitted a letter of support, writing that he was “a man of integrity, decency and compassion” who “showed a unique kindness and generosity of spirit.” Mullers parents also wrote to the judge, highlighting their sons accomplishments and their struggle to reconcile his Jekyll and Hyde personas. They attributed his actions to a disease “like a metastasized cancer” that “eventually took control of him.”
Still, “Matts mental health issues do not excuse or absolve him from his actions,” his parents wrote. “We will accept whatever sentence you believe is appropriate.”
## She looked Muller in the eye as she declared: “*I* am Denise Huskins, the woman behind the blindfold.”
**The day of** Mullers sentencing, Quinn walked to a podium in the center of a courtroom in downtown Sacramento. Reporters packed the jury box to his right. To his left, Muller sat at the defense table in an orange jumpsuit and black-rimmed glasses, with his hands and feet shackled and his hair in a bowl cut. It was the first time Quinn and Huskins had looked him in the face.
Quinn had spent the morning sweating and feeling his stomach turn, but an intense focus came over him as he read the victim statement hed revised more than 20 times. “You like to feel that you are in power, and the rules do not apply to you,” Quinn said to Muller. “Thats what makes you so dangerous. You are smart enough to manipulate situations to get away with crimes but not humble enough to seek help.”
Then it was Huskinss turn. She looked Muller in the eye as she declared: “*I* am Denise Huskins, the woman behind the blindfold.” She called Muller “calculated, strategic,” and said that he “kept his true intentions and motivations to himself, knowing how awful they are.” Shed heard his “countless excuses,” including his mental health issues, but her experience made her certain that he had “willingly, thoughtfully participated in this hell we have survived.”
Muller listened impassively. After the couple spoke, he made a brief statement from his seat. “Im sick with shame that my actions have brought such devastation,” he said. “I hope my imprisonment can bring closure to Aaron and Denise, and Im prepared for any sentence the court imposes.”
The judge called the crime “heinous, atrocious, horrible” as he issued his sentence: 40 years. Ten of those years would be a concurrent sentence for the Dublin crime. But Quinn and Huskins werent done demanding justice. They wanted Muller prosecuted for all his crimes against them, including rape. And they wanted to hold the Vallejo police to account.
But for the time being, they decided to focus on happier matters. Two days after the couple gave their statements in court, at a barbecue with family and friends, Quinn proposed to Huskins. She said yes. 
---
**Muller got married** the day after his sentencing. He and Huei Dai briefly dated in 2012, after she found his card in an ATM, and they had remained friends ever since. An energetic woman with a wide smile and shoulder-length black hair, Dai had worked as an office and human resources manager and earned a green card after emigrating from Taiwan. After hearing about Mullers arrest on the news, she visited him every week.
Their wedding took place in a dreary room at the Sacramento County Main Jail. Zarback didnt approve of the union, lamenting that Dai was signing up for a difficult life, but she attended, along with a few family members; none of Dais friends or relatives came. Guards brought Muller out in a jail uniform and shackles and put him inside an iron cage. Dai, in a pretty dress, stood several feet away—she wasnt allowed to touch her groom. After reciting brief vows before a judge, Muller was whisked away. The whole ceremony lasted five minutes.
Dai sympathized with Mullers mental health struggles, and she believed hed been unfairly portrayed in the courts and in press coverage. She became his unofficial paralegal, eventually quitting her job to type emails and file legal paperwork for Muller and for other people in jail he was advising on their own cases.
Dai also helped create a website, Gonegirlcase.com, that told Mullers side of the story—namely, how severe his illness was when he committed the Vallejo crime. The site, which is now defunct, attributed his “current legal predicament” to “extended psychosis.” But Mullers perception of what had happened would soon change.
7.
**Henry Lee logged** into a video call and waited for Muller to appear. It was just after 10 p.m. on a Thursday in September 2018, and Lee was staring into a laptop on his cluttered desk at KTVU Fox 2, where he was now an on-air crime reporter. Muller had just been transferred from a high-security federal prison in Tucson, Arizona, to a jail in Californias Solano County, where he was facing new charges for the Vallejo crime, this time from the state: kidnapping and two counts of rape, as well as robbery, burglary, and false imprisonment. He had pled not guilty. For the moment, he was representing himself. 
Lee was surprised that Muller had agreed to an interview, and wasnt sure he would show up. If he did, interviewing him would feel surreal. Reflecting later on how he and other journalists had covered the Vallejo story, Lee said that prior to “the national reckoning over police misconduct,” whenever law enforcement said “something they believe to be true, more or less we treated it … as gospel.” Reporters on the crime beat, he added, often have no choice but to rely on official accounts, at least at first. “The majority of the mainstream media still will say, Police said this, police said that, whether or not we know that to be true,” Lee said.
Finally, Muller appeared in a box on Lees screen, wearing a gray-and-white-striped jail uniform and gripping a phone receiver. He looked pale, with graying hair and sunken eyes, and greeted Lee with a nod and a flat smile. As Lee began to question him, Muller was cagey. Lee asked why Muller had emailed him to speak up for Huskins. Muller said, “I cant reply to that without confirming that Im the person who sent those emails.” (In his own court filings, Muller had once included what he said was an evidence photo of a burner phone Dublin police had seized from his cabin, displaying an email account belonging to huskinskidnapping@hotmail.com, one of the addresses from which Lee had received a message.)
Lee asked Muller about a motion hed filed a few months earlier challenging his federal conviction. In the document, which Muller drafted on a prison typewriter and ultimately withdrew, he argued that his guilty plea hadnt been “knowing, intelligent and voluntary,” and that his attorney had provided ineffective counsel. He assured the court that he now had “more accurate insight into his current and past mental states.”
“Are you not guilty, in fact … of the federal kidnapping case?” Lee asked. Muller equivocated: “As a legal matter, yes sir, I think a plea of not guilty in that case would be accurate.” He added that “blameworthiness and dangerousness … are two different things,” and claimed, “I would be the first person who wants me incapacitated to make sure that I could not hurt anybody again if it seems like Im not going to be able to get ahold of those mental health issues.”
If there was a revelation in the evasive interview, it was that Muller alleged he had been abused in prison. “I just suffered a rape, a beating, and a near suicide,” he told Lee.
A few months earlier, Muller had told his mother that guards placed him in a cell with a violent, schizophrenic man who sexually assaulted him, then with another prisoner who beat him severely. Muller believed this was punishment for his helping a prisoner he believed was innocent. (The Federal Bureau of Prisons declined to comment.) Muller experienced symptoms of PTSD and became suicidal. Zarback later grew so concerned about her sons mental health that she drafted a letter to Huskins and Quinn, asking them to instruct the district attorney to drop the state case. She knew shed never send it.
---
**On a rainy morning** in February 2019, officers escorted Muller into a Solano County courtroom. Once again representing himself, he wore a baggy gray suit hed borrowed from his father and shackles around his ankles. For over an hour, Aaron Quinn detailed how he was tied up, drugged, and extorted. He seemed close to tears when he said, “I took a moment before I called 911, because I was afraid that I was killing Denise.” Quinn confirmed that Mullers voice was the one hed heard that night. Muller gazed ahead, occasionally taking notes. When the time came, he declined to cross-examine the witness.
After a recess, Huskins took the stand and described being raped twice while a camera recorded it. She said Muller had insisted that the sex look consensual—supposedly for blackmail, which he claimed his associates had demanded. The prosecutor asked Huskins if she recognized Mullers voice. “Yes. It was the voice that I woke up to, it was the voice I heard in that 48 hours, its the voice that raped me,” she said. The judge asked Muller if he wanted to cross-examine Huskins. “Certainly not, your honor,” he replied.
At the end of the hearing, the judge allowed all charges to proceed.
Mullers parents had left the courtroom before Huskinss testimony, but Dai watched from the front row. Afterward, she stopped for a few words in front of the news crews huddled outside the courthouse. “No matter what other people say, I know who he is,” Dai said.
Jason Walter of the FBI was also at the hearing. According to Quinn, while Huskins was on the stand, Walter told him outside the courtroom that he never believed the crime was a hoax. Afterward, when Huskins joined them, he said, “You guys are in my mind all day, every day. Im so sorry.”
## Muller admitted that the conspiracy he believed he was exposing was intricate and well concealed. “The fraud is of such subtlety and sophistication that it deceived even the Movant,” he wrote, referring to himself.
**For a time,** in a series of motions and court appearances, Muller made a number of cogent-sounding arguments. But in mid-2019, his claims took on a bizarre tone. After receiving discovery in the states case, Muller advanced a new theory of elaborate subterfuge.
Four days before arresting him, he argued, Dublin officers snuck into his cabin without a warrant and used his email account to send “what appears to be a to-do list … in preparation to destroy evidence and flee arrest.” During their official search on June 9, 2015, he said, the police planted his clothing, mail, and drivers license in the stolen Mustang for them to be “discovered.” As part of their plot against him, Muller insisted, law enforcement agencies had altered police reports and 911 logs, tampered with forensic records, and forged judicial signatures on search warrants.
In particular, Muller zeroed in on the role of Misty Carausu. In March 2019, as the states case proceeded, he questioned her on the stand. Later, in court filings, he accused her of illegally accessing his devices and perjuring herself by denying it under oath. He also claimed that she had tampered with evidence. In an interview, Carausu denied Mullers claims. Campos, the lead detective in the Dublin case, called the allegations “ridiculous.”
Muller soon turned his attention to what seemed to be a weakness in his theory: How could Dublin police, who didnt yet know details of the Vallejo kidnapping when they searched the cabin and Mustang, install evidence linking him to that case? In a 2020 court appearance, Muller laid out an updated thesis: The FBI had used Photoshop to make “Hollywood-grade edits” to evidence photos, inserting objects in the frame after the fact. In a filing, Muller included screenshots of supposedly doctored images, pointing out what he claimed were differences in embossing and reflection. The FBI had also staged evidence photos, he argued, including the blond hair stuck to the duct-taped swim goggles, and pretended they were taken by Dublin officers in their initial search.
The reason for the fraud, Muller claimed, was to secure a quick conviction and paper over embarrassing facts about the case. He believed authorities didnt thoroughly investigate a man who Quinn told police Andrea Roberts had had a relationship with while they were engaged. The man, Stephen Ruiz, was a former police officer. He had been fired from his job shortly before the kidnapping, after a criminal investigation that reportedly pertained to allegations he looked up women from dating websites in law enforcement databases. (The agency that conducted the investigation found “no evidence” that he misused internal databases. Ruiz called the investigation “unfounded.”) The real story of the Vallejo case, Muller argued, was that of “an ex-cop staging a crime to scare his girlfriend away from the ex-fiancé she was reuniting with” through a scheme “that put his girlfriend in no danger, but ensured she would hear about it from her coworker who was mistaken for her—also making it impossible to overlook that her ex-fiancé was sleeping with the coworker.” In other words, Muller suggested, Ruiz learned that Roberts and Quinn were back in touch over text in 2015, orchestrated Huskinss kidnapping, and led Quinn and Huskins to believe that the real target was Roberts, all in an attempt to win Roberts back.
Muller admitted that the conspiracy he claimed he was exposing was intricate and well concealed. “The fraud is of such subtlety and sophistication that it deceived even the Movant,” he wrote, referring to himself. “The governments case included evidence and allegations the Movant did not understand and could not remember. The Movant had believed this was a matter of mental illness…. However, it was federal authorities and not the Movants mind that had altered reality.”
According to a letter included in court filings, a federal prosecutor said Ruiz was a “subject” early in the Vallejo investigation, and authorities obtained his bank records. Ruiz denied any involvement in the kidnapping. He and Roberts are now married.
---
**Zarback didnt know** what to believe. Mullers claims sounded far-fetched, but shed seen firsthand how authorities had erred in the kidnapping investigation and, in her view, had targeted her son in prison. “Im sure theres some truth to it, but also maybe some paranoia to it too,” she said.
She wasnt the only person doubting whether law enforcement was telling the whole story. Quinn and Huskins still believed Muller had at least two accomplices in the kidnapping. The couple had observed red lasers coming from multiple angles in Quinns bedroom when they woke up, and Huskins recalled seeing two people, from the waist down, as she walked to the closet. Alone on the bed, Quinn heard Muller whisper, “Get the cat out of the room,” and felt someone pick up his pet, Mr. Rogers, who had been sniffing his arm. While Muller was physically near both victims, they heard the sounds and felt the vibrations of kitchen cabinets opening and closing and an electric drill humming downstairs. At one point, Quinn heard two sets of footsteps on his bathroom tile and Muller whisper, “Are we doing contingency one or contingency two?” As Muller carried Huskins downstairs, she heard him whisper “no” and then heard someone climb up past them. Before he shut her in the trunk of Quinns car, she heard “noises that one person couldnt make,” like doors opening while a car was being moved.
The couple also werent convinced that Muller wrote the emails to Henry Lee—or, at least, that he was the sole author. They noted small errors in descriptions of the crime. They pointed to a paragraph supposedly written by “the team member handling the subjects,” which had a single space after periods, while the rest of the text used two. In an interview, Huskins also said that, given the “obvious arrogance” of the messages, she found it odd that Muller hadnt taken credit for pulling off the crime by himself: “Why not at that point, if it is just him, be like, these are all the different ways that I made it seem like theres more people … and look how crafty and awesome I am?”
In a court filing, federal prosecutors insisted that Muller had “used elaborate artifice to convince his victims that he was just one member of a professional crew.” In addition to the blow-up doll and portable speaker found in the Mustang, authorities had discovered audio recordings on Mullers computer, including one of several people whispering. Moreover, in a jailhouse interview in July 2015, which the FBI later obtained and was mentioned in Mullers plea agreement, Muller told a local news reporter that he was the only person involved and there was “no gang.”
But to Quinn and Huskins, authorities werent paying sufficient attention to their eyewitness accounts. They had listened to some of the recordings in evidence and felt that they didnt explain all theyd perceived. “It feels like every step of the way they are trying to gaslight us into changing our recollection of events to fit the narrative theyve created,” Huskins wrote in *Victim F*. Perhaps Muller wouldnt give up his accomplices because he didnt want to be known as a snitch in prison or because he feared his partners, Quinn suggested in an interview. Maybe he chose “to fall on the sword,” Huskins told me.
The couple lived in constant fear that a sophisticated group of criminals might come after them or target other victims. “I wish it was just him,” Huskins said in March 2022, but “we trust our memory more than we trust the police work.”
8.
**Quinn and Huskins** publicly praised Carausu, who became a personal friend and is now a sergeant in the Alameda County Sheriffs Office, for doing “the exact opposite of what Vallejo did.” In 2016, the couple sued the city, as well as Mathew Mustard and Kenny Park, for defamation and other claims. They settled the suit in 2018, with the defendants admitting no wrongdoing and agreeing to pay $2.5 million. In June 2021, upon publication of *Victim F*, the city and the Vallejo police department issued a statement to the press calling what happened to the couple during the kidnapping “horrific and evil” and finally extending an apology “for how they were treated during this ordeal.” Later that year, Quinn wrote an op-ed calling for the department to be disbanded over its culture of “opacity and impunity.”
After the botched 2015 investigation, Mustard was voted his departments officer of the year and promoted to sergeant in charge of the investigations division. He stepped down as president of Vallejos police union in 2019, after nearly a decade in the role. In subsequent years, disturbing reports about Mustard appeared in the press: that he had withheld exculpatory evidence in a criminal trial, tried to pressure a forensic pathologist to rule a death a homicide, and cleared officers involved in shootings of any wrongdoing while heading the police union. (The union did not respond to requests for comment.)
In a legal complaint filed in December 2020, former Vallejo police captain John Whitney, who claimed hed been wrongfully terminated for reporting misconduct, alleged that Bidou, the police chief at the time, changed the departments promotion exam in 2017 to benefit Mustard. Whitney also alleged that, prior to the press conference where Kenny Park called Quinn and Huskinss story false, Bidou told Park to “burn that bitch.” Whitney claimed that, after the couple sued, Bidou took Whitneys phone and “set it to delete messages,” then directed him to order Park to lie under oath, all in order to conceal the comment. Whitney said he refused. In a deposition, Bidou said he “never heard anybody say” the words in question and denied destroying documents relevant to the case. Bidou retired in 2019. Park worked for the department until the following year. (Neither of them could be reached for comment.)
In 2020, the states case against Muller stalled as his mental health deteriorated. Muller believed that his parents and Dai had been replaced by imposters and told the judge that a “complicated device” was planted in his body. He claimed to be surrounded “by a bunch of actors, by a bunch of agents, I dont know, even sort of demon-possessed people,” and called the judge Lucifer. But even in the midst of such outbursts, Muller once raised a relevant legal point that had escaped both attorneys and the judge. “I was quite astounded that he was at least lucid enough to bring that to everyones attention,” Sharon Henry, the prosecutor, said in court, suggesting that Muller was “legally competent.” Tommy Barrett, the public defender the court had appointed to represent Muller, criticized Henry for expecting mental illness to present as “drooling, shouting, maybe smearing feces on oneself.… Its not always a movie-type portrayal.” 
That November, the judge ruled that Muller was incompetent to stand trial. The following June, he was moved to a state psychiatric hospital, where he received a new diagnosis: schizophrenia. Citing “a downward spiral of increased mental harm,” in September 2021 the judge signed an order allowing Muller to be treated with antipsychotic medication against his will. “As the Buddhists would say, I have seen the light inside you,” the judge told him. “And I think there is a way for you to get back there.”
In March 2022, Muller appeared before the same judge on Zoom. Seated under a ceiling patched up with cardboard, he wore the khaki uniform of Napa State Hospital. Barrett confirmed that his client had agreed to plead no contest to all state charges, except for kidnapping. The judge, who had deemed Muller legally competent a few weeks earlier, asked him, “Do you feel today as were sitting here that your head is in a good place to understand what were doing?” In a subdued tone, Muller replied, “Yes, your honor, Im well enough to proceed.”
The judge sentenced him to 31 years in state prison, to be served concurrently with his existing terms. The next day, Huskins posted on social media, “This is not the end result we had originally sought.” She and Quinn—now married, with a young daughter—still wanted Muller locked up for life. But Huskins also said she and her husband hoped “all involved can find some level of peace moving forward.” Later, Huskins wrote to me, “It is tempting to want to have final explanations and answers that are all tightly wound in a bow … but as in most real-life cases, there are going to be a lot of questions we will never get answers to.”
## “I made a lot of mistakes,” Zarback said. Then again, she continued, “what is that piece of the chain that might have made a difference? Im not sure I can name one. Ive come to think we dont have the power.”
**Among the unanswered** questions that continue to haunt people affected by the events in this story is whether Muller was behind the home invasions and attempted assaults in Silicon Valley in 2009 and 2012. “If you want to ask me do I think it was Matthew? Probably,” his mother said. Mullers ex-wife said in divorce filings that he once confessed “he had indeed broken into a womans apartment in 2009 and that he would do the same to me and people who were close to me.” For this reason, and because of Mullers crimes in Vallejo and Dublin, she came to believe that her ex-husband was the person who, after their divorce, had terrified her housemate one night. “I was lucky to escape the fate of Matthews prior and subsequent female victims who were assaulted and raped,” she stated in a court document.
In a legal filing, Muller denied committing the crimes in Silicon Valley. In an interview, he denied breaking into his ex-wifes home and said he didnt recall making a confession to her. He chalked up the fact that one of the victims attended an event he organized at Harvard to “mere coincidence” and said of the police, “Once they fix on you, thats it. They see everything consistent with that and nothing inconsistent.” As of this writing, the cases remain open.
Authorities never determined how Muller chose his victims. Huskins speculated that “from afar he saw me as a pretty blond girl” and Quinn as “some jock.” She wondered if she “reminded him of someone who was hurtful to him.” Or perhaps Muller really did intend to abduct Andrea Roberts, Quinns ex-fiancée. The emails to Henry Lee mentioned that the perpetrators had a “link” to Roberts, and while Huskins was being held captive, Muller asked whether she knew why someone would hire criminals to kidnap Quinns ex. When Huskins mentioned that Roberts had had an affair, according to her account in *Victim F*, Muller said, “That sounds right. That must be it.”
Different questions linger for Zarback: What if she hadnt helped her son get his own apartment? Hadnt paid his traffic tickets to keep him out of jail? Hadnt let him stay at the cabin? “I made a lot of mistakes,” she said. Then again, she continued, “what is that piece of the chain that might have made a difference? Im not sure I can name one. Ive come to think we dont have the power.”
---
**When I called** Muller recently at Napa State Hospital, he confessed that in the midst of our interviews a few years earlier, hed come to believe I was a CIA agent. He decided to keep talking to “humor” me. When I asked if he still believed that I worked for the CIA, he said it was “highly unlikely but not impossible.”
Muller was ready to provide answers about his crimes, but only some. He said that, in 2015, he was fixated on the “one percent,” which to him werent the worlds wealthiest people, but those “responsible for most of the bad in the world. It was a scienced-up version of demons.” He harbored a “strong feeling” that Quinn, who lived a block away from him on Mare Island, was a member of this sinister cabal. “Obviously hes not,” Muller added. “It was a product of mental illness.”
Mullers explanation echoed what he told Sidney Nelson, a forensic psychologist, during an evaluation his parents paid for in 2017. Nelson, who diagnosed Muller with bipolar I disorder “with psychotic features,” noted in his report that in the weeks leading up to the kidnapping, Muller experienced a manic episode, possibly triggered by his antidepressant. Not sleeping much, Muller obsessively watched Batman movies and became entranced by the Dark Knight, who uses his intellect and high-tech gizmos to impose nocturnal vigilante justice. “He began to think of himself as a Batman type of person who was fighting evil, which to Mr. Muller was the 1%ers,” Nelson wrote. Wearing a wetsuit to resemble the character, Muller said he had plotted a kidnapping for ransom to procure money from those he perceived as “evil wealthy people” in order to give it to the poor, an act he believed was “morally justified.”
Nelson found Muller “extremely remorseful.” His report, which Mullers attorney at the time did not submit to the court, concluded: “In my opinion, it is extremely unlikely that Mr. Muller would have engaged in such criminal actions if not for the profound impact that his mental illness had on his thinking and behavior.”
Muller told me that he had a different objective in the Dublin crime: to vindicate Huskins. He said that he planned to blindfold, gag, and tie up his captives, then send photographs of them to Nancy Grace, the TV personality who had publicly doubted Huskinss account of her kidnapping. “Its your fault that this is happening,” Muller intended to write. “Until you retract what youre saying about her being the Gone Girl, I might do this again.” (He told me this would have been an empty threat.)
Muller said that he targeted the Yens street because, like Kirkland Avenue on Mare Island, it bordered on open space that would make it easy to escape if need be. He settled on the Yens specifically because, still in the midst of a delusion, he decided they were also part of the one percent, so he “wouldnt feel bad.” Muller said his scheme veered off course when he realized that the Yens daughter was home. He placed his cell phone outside her bedroom to play the sound of static, so the noise he made tying up her parents wouldnt wake her, but he forgot to retrieve it when he fled. That unexpected circumstance ended up being fortuitous, Muller said: “Its good that I got caught.”
Some mysteries Muller wouldnt clear up: whether he committed the earlier crimes in Silicon Valley, whether he was the Peeping Tom on Mare Island, whether he wrote the emails to Henry Lee. When I asked whether he had accomplices, Muller said, “I never claimed I had worked with anybody,” but he declined to elaborate, beyond saying this: “Folks who are psychotic I think tend to fit the lone-wolf scenario and would probably have trouble cooperating with others in that sort of state.”
Emerging from his longest psychotic episode yet, Muller told me that he was struggling “to fold reality back” into his worldview. I reminded him of a metaphor hed used in a previous interview, as he was grappling with paranoia: Hed said it was like hed started to believe in ghosts after seeing one in a graveyard, only to discover that someone had tricked him as a practical joke. Now, he told me, “I still cant rule out whether there were real ghosts or not.”  
Muller had come to think that delusion and sanity werent distinct planes of existence. “When you snap out of it, its not like you look back and know, Heres whats true and heres whats not,’ ” he told me. “You basically dont know.”
---
*© 2022 The Atavist Magazine. Proudly powered by Newspack by Automattic*.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,89 @@
---
dg-publish: true
Alias: [""]
Tag: ["Tech", "Twitter", "Musk"]
Date: 2022-05-01
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2022-05-01
Link: https://www.nytimes.com/2022/04/27/opinion/elon-musk-twitter.html
location:
CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-ElonMuskGotTwitterBecauseHeGetsTwitterNSave
&emsp;
# Opinion | Elon Musk Got Twitter Because He Gets Twitter
Ezra Klein
April 27, 2022
![](https://static01.nyt.com/images/2022/04/27/opinion/27klein_1/27klein_1-articleLarge.jpg?quality=75&auto=webp&disable=upscale)
Credit...Illustration by the New York Times; photograph by Patrick Pleul/Picture Alliance, via Getty Images
Can Elon Musk break Twitter? I hope so.
Im not accusing Musk of being a sleeper agent. The man loves Twitter. He tweets as if he had been raised by the blue bird and the [fail whale](https://www.techopedia.com/definition/1987/fail-whale). Three days before locking in his purchase of the platform, Musk [blasted out](https://twitter.com/elonmusk/status/1517707521343082496) an unflattering photograph of Bill Gates and, next to it, an illustration of a pregnant man. “In case u need to lose a boner fast,” Musk, Times 2021 person of the year, told his more than 80 million followers. He believed Gates was shorting Teslas stock, and this was his response. It got over 165,000 retweets and 1.3 million likes. Thats a man who understands what Twitter truly is.
Jack Dorsey, a Twitter co-founder and former chief executive, always wanted it to be something else. Something it wasnt, and couldnt be. “The purpose of Twitter is to serve the public conversation,” he [said](https://www.intelligence.senate.gov/sites/default/files/documents/os-jdorsey-090518.pdf) in 2018. Twitter began “[measuring conversational health](https://blog.twitter.com/en_us/topics/company/2018/measuring_healthy_conversation)” and trying to tweak the platform to burnish it. Sincere as the effort was, it was like those [liquor ads advising moderation](https://publichealth.jhu.edu/2014/drink-responsibly-messages-in-alcohol-ads-promote-products-not-public-health). You dont get people to drink less by selling them whiskey. Similarly, if your intention was to foster healthy conversation, youd never limit thoughts to 280 characters or add like and retweet buttons or quote-tweet features. Twitter cant be a place to hold healthy conversation because thats not what its built to do.
So what is Twitter built to do? Its built to gamify conversation. As C. Thi Nguyen, a philosopher at the University of Utah, has [written](https://philpapers.org/rec/NGUHTG), it does that “by offering immediate, vivid and quantified evaluations of ones conversational success. Twitter offers us points for discourse; it scores our communication. And these gamelike features are responsible for much of Twitters psychological wallop. Twitter is addictive, in part, because it feels so good to watch those numbers go up and up.”
Nguyens core argument is that games are pleasurable in part because they simplify the complexity of life. They render the rules clear, the score visible. Thats fine when we want to play a game. But sometimes we end up in games or gamelike systems in which we dont want to trade our values for those of the designers and dont even realize were doing it. The danger, then, is what Nguyen calls “value capture.” That, he writes, comes when:
> 1\. Our natural values are rich, subtle and hard to express.
> 2\. We are placed in a social or institutional setting which presents simplified, typically quantified, versions of our values back to ourselves.
> 3\. The simplified versions take over in our motivation and deliberation.
Twitter takes the rich, numerous and subtle values that we bring to communication and quantifies our success through follower counts, likes and retweets. Slowly, what Twitter rewards becomes what we do. If we dont, then no matter — no one sees what were saying anyway. We become what the game wants us to be, or we lose. And thats whats happening to some of the most important people and industries and conversations on the planet right now.
Many of Twitters power users are political, media, entertainment and technology elites. They — we! — are particularly susceptible to a gamified discourse on the topics we obsess over. Its hard to make political change. Its hard to create great journalism. Its hard to fill the ever-yawning need for validation. Its hard to dent the arc of technological progress. Twitter offers the instant, constant simulation of doing exactly that. The feedback is immediate. The opportunities are infinite. Forget Max Webers “strong and [slow boring](https://www.vox.com/2016/7/11/12053146/max-weber-hillary-clinton) of hard boards.” Twitter is a power drill, or at least it feels like one.
At about this point, the answer probably seems obvious: Log off! One can, and many do. But it comes at a cost. To log off is to miss much that matters, in industries where knowing what matters is essential. Its become clichéd to say Twitter is not real life, and thats true enough. But it shapes real life by shaping the perceptions of those exposed to it. It shapes real life by shaping what the media covers. (Its not for nothing that The New York Times is now [urging reporters](https://www.niemanlab.org/2022/04/the-new-york-times-would-really-like-its-reporters-to-stop-scrolling-and-get-off-twitter-at-least-once-in-a-while/) to unplug from Twitter and re-engage with the world outside their screens.) It shapes real life by giving the politicians and business titans who master it control of the attentional agenda. Attention is currency, and Twitter is the most important market for attention that there is.
There is a reason that Donald Trump, with his preternatural gift for making people look at him, was Twitters most natural and successful user. And he shows how the platform can shape the lives of those who never use it. From 2017 to 2021, the White House was occupied by what was, in effect, a Twitter account with a cardiovascular system, and the whole world bore the consequences.
I am not a reflexive Musk critic. He has done remarkable things. He turned the electric car market from a backwater catering to hippies to the unquestioned future of the automobile industry, and he did so in the only sustainable way: He made electric cars awesome. He reinvigorated American interest in space and did so in the only sustainable way: by making rockets more awesome and affordable. Hes made huge investments in solar energy and battery innovation and at least tried to think creatively about mass transit, with investments in hyperloop and tunnel-drilling technology. He co-founded OpenAI, the most public-spirited of the big artificial intelligence shops.
Much of this has been built on the back of public subsidies, government contracts, loan guarantees and tax credits, but I dont take that as a mark against him: Hes the best argument in the modern era that the government and the private sector can do together what neither can achieve apart. If anything, I fear that Twitter will distract Musk from more important work.
Nor am I surprised that a résumé like Musks coexists with a tendency toward manias, obsessions, grudges, union-busting and vindictiveness. Extreme personalities are rarely on the edge of the bell curve only because of benevolence. But Twitter unleashes his worst instincts and rewards him, with attention and fandom and money — [so much money](https://www.readmargins.com/p/elons-giant-package) — for indulging them. That Musk has so capably bent Twitter to his own purposes doesnt absolve him of his behavior there, any more than it absolved Trump. A platform that heaps rewards on those who behave cruelly, or even just recklessly, is a dangerous thing.
But far too often, thats what Twitter does. Twitter rewards decent people for acting indecently. The mechanism by which this happens is no mystery. Engagement follows slashing ripostes and bold statements and vicious dunks. “Im frustrated that Bill Gates would bet against Tesla, a company aligned with his values,” is a lame tweet. “Bill Gates = boner killer” is a viral hit. The easiest way to rack up points is to worsen the discourse.
Twitter has survived, and thrived, because it has never been just what I have described here. Much of what can be found there is funny and smart and sweet. So many on the platform want it to be a better place than it is and try to make it so. For a long time, they were joined in that pursuit by Twitters executive class, who wanted the same. They liked Twitter, but not too much. They believed in it, but they were also a little appalled by it. That fundamental tension — between what Twitter was and what so many believed it could be — held it in balance. No longer.
Musks stated agenda for Twitter is confusing mostly for its modesty. Hes proposed an edit button, an open-source algorithm, cracking down on bots and doing … something … to secure free speech. I tend to agree with the technology writer Max Read, who [predicts](https://maxread.substack.com/p/elon-musk-wont-fix-twitter-but-he) that Musk “will strive to keep Twitter the same level of bad, and in the same kinds of ways, as it always has been, because, to Musk, Twitter is not actually bad at all.”
Musk reveals what he wants Twitter to be by how he acts on it. You shall know him by his tweets. He wants it to be what it is, or even more anarchic than that. Where I perhaps disagree with Read is that I think it will be more of a cultural change for Twitter than anyone realizes to have the master of the service acting on it as Musk does, to have the platforms owner embracing and embodying its excesses in a way no previous leader has done.
What will Twitter feel like to liberals when Musk is mocking Senator Elizabeth Warren on the platform he owns and controls as “[Senator Karen](https://twitter.com/elonmusk/status/1470858546153762819?s=20)”? Will they want to enrich him by contributing free labor to his company? Conservatives are now celebrating Musks purchase of the platform, but what if, faced with a deepening crisis of election disinformation, he goes into [goblin mode](https://www.axios.com/musks-goblin-mode-twitter-37ab7dfd-dd34-4494-acf7-5377af463a87.html) against right-wing politicians who are making his hands-off moderation hopes untenable or who are threatening his climate change agenda?
What will it be like to work at Twitter when the boss is using his account to go to war with the Securities and Exchange Commission or fight a tax bill he dislikes? Unless Musk changes his behavior radically, and implausibly, I suspect his ownership will heighten Twitters contradictions to an unbearable level. What would follow isnt the collapse of the platform but the right-sizing of its influence.
Or maybe not. Betting against Musk has made fools of many in recent years. But I count myself, still, as a cautious believer in Musks power to do the impossible — in this case, to expose what Twitter is and to right-size its influence. In fact, I think hes the only one with the power to do it. Musk is already Twitters ultimate player. Now hes buying the arcade. Everything people love or hate about it will become his fault. Everything he does that people love or hate will be held against the platform. He will be Twitter. He will have won the game. And nothing loses its luster quite like a game that has been beaten.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,211 @@
---
dg-publish: true
Alias: [""]
Tag: ["Society", "Syria", "War"]
Date: 2022-05-01
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2022-05-01
Link: https://www.theguardian.com/world/2022/apr/27/massacre-in-tadamon-how-two-academics-hunted-down-a-syrian-war-criminal
location:
CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-MassacreinTadamonNSave
&emsp;
# Massacre in Tadamon: how two academics hunted down a Syrian war criminal
On a spring morning three years ago, a new recruit to a loyalist Syrian militia was handed a laptop belonging to one of Bashar al-Assads most feared security wings. He opened the screen and curiously clicked on a video file, a brave move given the consequences if anyone had caught him prying.
The footage was unsteady at first, before it closed in on a freshly dug pit in the ground between the bullet-pocked shells of two buildings. An intelligence officer he knew was knelt near the holes edge in military fatigues and a fishing hat, brandishing an assault rifle and barking orders.
The rookie militiaman froze in horror as the scene unfolded: a blindfolded man was led by the elbow and told to run towards the giant hole that he did not know lay in front of him. Nor did he anticipate the thud of bullets into his flailing body as he tumbled on to a pile of dead men beneath him. One by one, more unsuspecting detainees followed; some were told they were running from a nearby sniper, others were mocked and abused in their last moments of life. Many seemed to believe their killers were somehow leading them to safety.
![A gunman with a fishing hat in the video.](https://i.guim.co.uk/img/media/24796d043394fe28ec3b6c1c06df881ca0394d43/79_0_1800_1080/master/1800.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=a6da480454520e0396cec228aaf9b645)
The gunman with a fishing hat in a still from the video. Photograph: Guardian video
![Tadamon massacre](https://i.guim.co.uk/img/media/816998e3116e67522e2892557883c661f7c6f609/0_0_1920_1080/master/1920.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=b184d4256d2a7899da1e33902798d477)
Photograph: Guardian video
When the killing was done, at least 41 men lay dead in the mass grave in the Damascus suburb of Tadamon, a battlefront at the time in the conflict between the Syrian leader and insurrectionists lined up against him. Alongside piled heaps of dirt that would soon be used to finish the job, the killers poured fuel on the remains and ignited them, laughing as they literally covered up a war crime just several miles from Syrias seat of power. The video was date-stamped 16 April 2013.
A paralysing nausea took hold of the recruit, who instantly decided the footage needed to be seen elsewhere. That decision has led him, three years later, on a perilous journey from one of the darkest moments of Syrias recent history to the relative safety of Europe. It has also united him with a pair of academics who have spent years trying to get him the prime source in an extraordinary investigation to safety while identifying the man who directed the massacre and persuading him to admit his role.
A hidden war crime: footage sheds light on horrors of war in Syria video explainer
- **Warning: contains graphic images**
It is the story of a war crime, captured in real time, by one of the Syrian regimes most notorious enforcers, branch 227 of the countrys military intelligence service that also details the painstaking efforts to turn the tables on its perpetrators including how two researchers in Amsterdam duped one of the most infamous security officers in Syria through an online alter ego and seduced him into spilling the sinister secrets of Assads war.
Their work has cast an unprecedented light on crimes previously believed to have been widely committed by the regime at the height of the Syrian war but always denied or blamed on rebel groups and jihadists.
![Tadamon Massacre](https://i.guim.co.uk/img/media/4f21be230d58fc8b9282ba9fd2d5c427f348b1c8/40_0_1800_1080/master/1800.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=5feaa9d5834ae89e092be8290e72199c)
Photograph: Guardian video
Nine years later, as war rages in Ukraine, a playbook of state terror on civilian populations rehearsed in Syria is being redeployed by Russian forces, as Vladimir Putins so-called special military operation turns into a brutal occupation of parts of the east of the country. Military intelligence units there have been at the forefront of savagery, instilling fear into communities through mass detentions and killings of the type that characterised Assads brutal attempts to claw back power.
![Tamadon Massacre](https://i.guim.co.uk/img/media/6c3ef82aa119e5769ac82c7a2f142fb31e5977d5/303_44_1315_987/master/1315.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=a4ed436e30a9cb8b93f7c7d1d9469d09)
Photograph: Guardian video
Trained by Soviet and Stasi officers in the 1960s, Syrias security agencies learned well the art of intimidation. Often, the allegiance of those snatched at checkpoints was of little consequence; fear was the regimes most lethal means to cling to power and it used every means available to instil it. In this case, the victims were not insurrectionists but civilians who were unaligned to either side and had accepted Assads protection. Their murders were widely seen in Tadamon as a message to the whole suburb: “Dont even consider opposing us.”
![Prof Uğur Ümit Üngör.](https://i.guim.co.uk/img/media/4eec9a2c39d6a9d67d94fa2b2e0e67988ec7bfb2/0_223_3000_3750/master/3000.jpg?width=300&quality=45&auto=format&fit=max&dpr=2&s=d97502621ed4dbc6748a3d8c898e4bd1)
Prof Uğur Ümit Üngör. Photograph: Alex Atack
In leaking the video, first to an opposition activist in France, and then to the researchers, Annsar Shahhoud and Prof Uğur Ümit Üngör, from the University of Amsterdams Holocaust and Genocide Center, the source had to overcome the fear of being caught and probably killed and the distress of potentially being cast out from his family prominent members of Assads Alawite sect, which holds the main levers of power in what remains of Syria.
He would eventually learn that even as hundreds of people around the world worked to bring Assad to justice for war crimes, the video would end up being a standout piece of evidence in the case against the Syrian leader.
But first, Annsar and Uğur needed to find the man in the fishing hat, and they turned to the only thing they believed could help: an alter ego.
![A Syrian regime militiaman walks underneath anti-sniper screens on a devastated street near the front line in Tadamon, January 2014](https://i.guim.co.uk/img/media/04ec622b7f6229d129d14ce09efe2f0e9ac73f38/0_0_4179_2716/master/4179.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=fca7a6ad2139c63a7a4aee5c7b87bf95)
A Syrian regime militiaman walks underneath anti-sniper screens on a devastated street near the frontline in Tadamon, January 2014. Photograph: Sipa US/Alamy
## Anna Sh
Annsar had been a vocal critic of Assad since the outbreak of the Syrian war. Her family were members of a community that had largely retained good relations with Assad, but the conflict and the ensuing economic collapse strained alliances and Annsar increasingly found herself determined to hold Assad to account, no matter the personal price.
She moved to Beirut in 2013 and then to Amsterdam two years later, where she met Uğur in 2016. Both shared a drive to chronicle what they believed to be a genocide being committed in Syria. Piecing together the stories of survivors and their families was one way to do it. Speaking to the perpetrators themselves was another. Breaking the omertà code of the regime, however, was a task thought nearly impossible. But Annsar had a plan: she decided to turn to the internet, and find her way into the inner sanctum of the regimes security officials by pretending to be a fangirl who had fully embraced their cause.
“The problem was that the Assad regime is very difficult to study. You dont just walk into Damascus, waving your arms, saying well, Hey, Im a sociologist from Amsterdam and I would like to ask some questions,’” said Uğur, in the grand dark wood drawing room of the Holocaust and Genocide Centre. “We came to the conclusion that, actually, we need a character and that character should be a young Alawite woman.”
![The Anna Sh Facebook page.](https://i.guim.co.uk/img/media/e8e19abe2769b129b60057e8789a52dcf8a03188/0_63_1080_1348/master/1080.jpg?width=300&quality=45&auto=format&fit=max&dpr=2&s=36b33f4f215f17730eccaf973b39d2ab)
The Anna Sh Facebook page. Photograph: Facebook
Annsar established that Syrias spies and military officers tended to use Facebook, and despite their secretive work lives, they tended not to make their social media settings private. She decided on an alias, “Anna Sh”, and asked a photographer friend to shoot an alluring glimpse of her face. She then turned her homepage into a glowing tribute to Assad and his family and set about trying to recruit friends.
Day and night for the next two years, she scoured Facebook looking for likely suspects. When she found a taker, she told them she was a researcher studying the Syrian regime for her thesis. Eventually, she got good at it. She learned the regime mood of the time and, together with Uğur, tailored jokes and talking points that might help with an approach. Soon, Anna Sh became known among the security services as an understanding figure and even a shoulder to cry on.
“They needed to talk to someone, they needed to share their experience,” she said. “We shared some stories with them. We listened to all the stories, not focusing only on their crimes.”
“Some of these people got attached to Anna,” Uğur continued. “And some of them started calling in the middle of the night.”
![Tadamon massacre](https://i.guim.co.uk/img/media/7bf0a2083fe04b13c2e07c9b3458a6d24d458b84/31_0_1800_1080/master/1800.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=620c8c76131bf55e54896303b11660dc)
Photograph: Guardian video
Over the next two years, Annsar lived and breathed her new persona. At times she recoiled from who she had become someone who had got into the minds of her prey and could at times understand them on a raw human level that eclipsed the clinical boundaries of her research.
But the snap back to reality was usually sudden. Many of those she had spoken to had been active parts of a killing machine, others were willing parts of the cabal that enabled them. Her health took a toll, as did her social life and her sanity. The prize was worth it, however. If she could find the gunman in the video, she could start to bring justice to the families of those he killed. And, maybe, she could start what few others had managed in the decade-long conflict: begin a process that irrefutably linked the Syrian state to some of the wars worst atrocities.
[Map](https://interactive.guim.co.uk/uploader/embed/2022/04/damascus_masssacre/giv-65620FdIGSFgrjP3/)
In March 2021, the breakthrough finally arrived. Anna Shs Facebook following had by then won the confidence of more than 500 of the regimes most devoted officials. Among her trawls of their friends and photos, a distinctive moon face with a scar and facial hair stood out. He called himself Amgd Youssuf, and he looked very much like the gunman in the fishing hat that she had exhausted herself looking for. Soon afterwards, Annsar, or Anna Sh by now it had become difficult to distinguish the two received corroboration from a source inside Tadamon that the killer was a major in branch 227 of the Syrian military intelligence service.
“The relief was indescribable,” she said. “Here was someone who held the key to it all. And now I needed to make him talk.”
Annsar remembers well the moment she hit send on her friend request, and the excitement she felt when her prey accepted. After all this time, the bait had been set. Now she needed to reel him in. The first call was fleeting; Amjad was suspicious and ended the call quickly. But something in that initial conversation had whetted his curiosity. The hunter had become the hunted. Was it the thrill of talking to a strange woman, the need to interrogate someone who dared to approach him, or something else? Either way, when Amjad video-called three months later, Annsar pressed record, and “Anna” answered the call.
After all these years, there he was; stern at first, very much in character as a spy who controlled all his conversations and readily deployed stony silence as a weapon. He uttered few words, and when he did speak he mumbled, forcing his listener to strain to hear him. Anna Sh did all she could to disarm Amjad, grinning sheepishly, giggling and deferring to him as he peppered her with questions, all delivered on his terms. Gradually his frozen face begins to relax, and Anna won the floor. She asked him about Tadamon.
![Tadamon massacre](https://i.guim.co.uk/img/media/95d48aab911110f4f35a074405b41e7b70303c8d/305_45_1309_985/master/1309.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=b063351242d3bc33cf9ff016d659f936)
Photograph: Guardian video
And then she asked a question that changed the tone of the whole conversation: “What it was like to go hungry, not to sleep, to fight, to kill to fear for your parents, for your people. Its a huge responsibility you carried a lot on your shoulders.”
Amjad sat back in his chair, as if to acknowledge that somebody had finally understood his burden. From then on, he was in the interrogation seat. The conversation was no longer his. Anna had an answer for every one of his replies; building him up, putting him at ease and puffing his ego. Much like Jennifer Melfi was to Tony Soprano, she had become to him a therapist, a sounding board, a trusted woman that could get to know his mind without, it would seem, passing judgment.
“I dont deny that I was excited talking to him,” said Annsar. “So I was smiling. Because wow, youre talking to him. But to know their stories, we need to convince them that we are just researchers. So they open up. Its not a result of one interview its a result of four years undercover. Gradually, I learned to dissociate myself. I created this girl who is really admiring their deeds. Its tough. After you close the laptop, you feel like its heavy stuff, but its needed. And I wanted to see him as a human.”
Throughout the summer of last year, Annsar and her alter ego, with Uğur often sitting just off screen, tried to persuade Amjad to talk. Getting inside the head of a killer was one thing, but gathering real information about why he did and extracting admissions was another. They trawled his Facebook profile for clues, and came across a photo of a younger brother, and poems Amjad had written after his death in early 2013, three months before the Tadamon massacre. Anna kept pestering him for another call, but he remained elusive. Then late one night in June, her Facebook messenger lit up. It was Amjad. Here was her chance to nail him down.
##
I killed a lot
Amjad was more relaxed this time, dressed in a singlet with perhaps a drink or two on board. The floor was now his, or so he thought, and he began with small talk, trying to feel Anna out. She seized her moment and asked about his brother, and the feared killer and enforcer started to weep. Anna switched to Melfi mode as he told her he had to stay in the military despite the risk of his mother being forced to grieve another son. “You did what you needed to do,” he said.
And then came Amjads first real admission. “I killed a lot,” he said. “I took revenge.”
As if to recognise the gravity of the moment, Amjad shut down the conversation and ended the call. Over the next few months he was difficult to find, responding only on chats and asking when Anna was returning to Syria. Who was this woman who had gotten under his skin? When would he get the chance to interrogate her on his own turf and terms?
Amjad started to play the role of the jealous boyfriend, asking who Anna was with, whether she drank and where she was.
Annsar, meanwhile, was starting to feel that her alter ego had reached the limit of her powers, and that Anna Sh needed a rest, just as she did. The character had spoken to up to 200 regime officials, some of them direct perpetrators in murders, and others part of a community that had aided and abetted Assads increasingly brutal attempts to cling on to power. They had started to speak among themselves about the mystery woman in all of their inboxes.
![A bomb-damaged Tadamon area on 22 September 2013.](https://i.guim.co.uk/img/media/fd4aa36a1e06ab299391e4fc12091bfa780a61b9/0_0_6016_4016/master/6016.jpg?width=465&quality=45&auto=format&fit=max&dpr=2&s=e5b520a9d121621bb9b3f48d57b8aa8d)
A bomb-damaged Tadamon area on 22 September 2013. Photograph: The Asahi Shimbun/Getty Images
Late last year, after Annsar had spoken to a woman who accused Amjad of assaulting her, she had had enough. All this empathising with perpetrators had started to seep into her soul. So, too, was living a character.
“Annsar also deserves to live,” she said. “And then the question was, where is Annsar? Who is Annsar now? Lost in the research? Anna was able to pretend in life and as an Alawite, pretend for hours here in Amsterdam. And I think Anna went so far, its not only a digital identity. Where is the original person in all of this? Where is Annsar? So I decided to execute Anna.”
On a cold morning in January this year, Uğur and Annsar packed a small box with a printout of Annas Facebook profile, a sword used as a symbol by the Assad regime and some trinkets and drove to a nature reserve outside Amsterdam. There, they dug a hole and buried the character, with a startled dog walker the only other person to bear witness to the demise of a digital sleuth whose body of work would have made any real spy proud.
“I mean psychologists and therapists will tell you that if you have a particularly difficult period, you can mark that period with a ritual,” said Uğur. “So ritualising something actually helps you put it behind you. I thought, actually, good riddance.”
It was time for the two researchers to start focusing on the material they had collected and had not been able to process while so deeply immersed in the character they had just buried in a forest with a minutes silence
“I laugh about her all the time,” reflected Annsar. “We always remember Anna.”
But there was one more thing they needed to do; confront Amjad with what they knew about him.
“Because how long do you want to go on courting a *mukhabarat* \[intelligence\] officer,” asked Uğur. “I think that the moment where he opened up about his brother, and that he committed revenge, thats as close as you can get in this particular context.”
Over Facebook messenger, Anssar, using her real identity this time rather than “Anna”, sent Amjad a 14 second sequence of video.
“His first question was: Is that me in the video? I said: Yes its you. He said: Yeah, its me. But what does this video tell? Nothing. Im arresting someone, and thats my job.’”
Realising the consequences of what he had just been shown, Amjad then railed against members of the National Defence Front, the militia that the rookie who had leaked the video had belonged to. He described them as thugs and killers and said he was not like them.
Then the subterfuge stopped, and Amjad defiantly embraced what he had done. “Im proud of what I did”, he wrote in a message, before threatening to kill her and her family.
Neither Annsar nor Uğur have responded to Amjad since February and have blocked him from their social media accounts. However, he has tried to reach out several times. He is clearly nervous about what lies ahead, as well he may be. [War crimes](https://www.theguardian.com/law/war-crimes) prosecutions in Germany have started to break the armour of impunity that has shrouded the Assad regime in Syria. Yet those court hearings do not contain the same overwhelming evidence as depicted in the Tadamon massacre video.
Before this story could be told, however, one man needed to get to safety the person who had leaked the video to a friend in France, and then to Uğur and Annsar. Some time in the last six months, he started his dangerous journey.
## The sources escape
Leaving the regime in Syria is never easy. Anyone hoping to travel to other parts of the county, or especially abroad, faces a long process of questioning before being allowed to do so. Although Assad retains power, the area he controls has shrunk, and two powerful overlords, Iran and Russia, have veto over many state decisions. Opposition groups retain control of the north-west, and the Kurds have aegis in the north-east. Syria remains broken and unreconciled; a place where even family members can be suspected of being traitors in waiting.
And that is how it was when a young man set off from the Syrian capital for Aleppo in the past six months on the first leg of a journey that would take him to the opposition-held north, then to Turkey and onwards to Europe.
The drive to Aleppo was a nervous one. He had been allowed to leave, but would the dreaded intelligence units catch up with him before he made it beyond their clutches? On Aleppos northern outskirts, a colonel from the 4th division of the Syrian army pocketed a $1,500 (£1,187) bribe in return for allowing the man across the no mans land separating both sides. The journey was delayed a day, as a Captagon shipment was readied by the 4th division to cross the same route. Shortly after, a truck carrying dozens of kilos of the stimulant, made and distributed by the regime and exported across the Middle East, made its way to the opposition-held north.
The source soon followed. Several weeks later, Annsar met him in Turkey, where gaps in the story of Tadamon were filled in over weeks of discussions, and notes for a war crimes prosecution steadily put in order.
In February, Uğur and Annsar handed over the videos and their notes, comprising thousands of hours of interviews, to prosecutors in the Netherlands, Germany and France. In the same month in Germany, came the first ever prosecution of another Syrian military intelligence official, Anwar Raslan, for his role in overseeing the murder of at least 27 prisoners and torture of at least 4,000 others. He [was convicted of crimes against humanity](https://www.theguardian.com/global-development/2022/jan/13/jailing-former-syrian-secret-police-officer-anwar-raslan-germany-first-step-justice) and has been imprisoned for life.
![Children play football in a narrow street in Tadamun neighbourhood in the south of the Syrian capital of Damascus, 2018.](https://i.guim.co.uk/img/media/8a387c098b755aac4f1808ac4f60451f26b10907/0_0_3864_2454/master/3864.jpg?width=445&quality=45&auto=format&fit=max&dpr=2&s=505ed6e4f4cca8ffcde6e5782933be0f)
Children play football in a narrow street in Tadamon neighbourhood in the south of the Syrian capital of Damascus in 2018. Photograph: Louai Beshara/AFP/Getty Images
Annsar remains estranged from her family and in her words, is not the same person she was before she started this project. “But it was worth it,” she said. “It was exhausting, but I hope our work will help bring justice.”
Tadamon these days is a bustling part of the capital that looks like war never darkened its doorsteps. Much of the damage and the atrocities have been covered over by buildings, carparks, or piles of the flotsam and jetsam of conflict. Annsar and Uğur remain convinced that many more massacres took place there and have been piecing together locations and the names of those who went missing in the savage tussle for control of the suburb.
“The locals blame the regime,” said Uğur. “They know who killed their loved ones. The strange thing is that the people who were killed in this video were not dissidents, they were onside with the regime. You can see they are not malnourished. They are straight from checkpoints, not dungeons. They were killed as a warning not to consider crossing sides. Their families deserve justice.”
The source, meanwhile, is safe outside Syria. In fleeing his surroundings the innermost circle of the Assad regime he has condemned himself to a life of exile. “He is happy with his decision,” said Annsar. “Sometimes people just want to do the right thing. If Ive learned anything out of this, its that theres good in people. That truth can still eventually see the light.”
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -0,0 +1,679 @@
---
dg-publish: true
Alias: [""]
Tag: ["Society", "Housing", "SF"]
Date: 2022-05-01
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2022-05-01
Link: https://www.sfchronicle.com/projects/2022/san-francisco-sros/
location:
CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-SFspentmillionstoshelterhomelessinhotelsNSave
&emsp;
# S.F. spent millions to shelter homeless in hotels. These are the disastrous results
For two years, this has been Pauline Levinsons home:
A run-down, century-old hotel in the Tenderloin, where a rodent infestation became so severe that she pitched a tent inside her room to keep the mice away.
Where residents have threatened each other with knives, crowbars and guns, sometimes drawing police to the building several times a day.
Where, since 2020, at least nine people have died of drug overdoses. One man was discovered only after a foul stench seeped from his room into the hall.
Levinson is one of thousands of poor, sick or highly vulnerable people left to languish and at times die in unstable, underfunded and understaffed residential hotel rooms overseen by a city department that reports directly to Mayor London Breed, a yearlong investigation by The San Francisco Chronicle found.
![Pauline Levinson sheds tears while talking about life at the Jefferson Hotel on Eddy Street in the Tenderloin.](https://s.hdnux.com/photos/01/24/60/65/22220110/1/325x0.jpg)
At the Jefferson Hotel, Pauline Levinson has coped with rodents, violence and neighbors dying of overdoses. Scott Strazzante/The Chronicle
In a complex arrangement, the citys Department of Homelessness and Supportive Housing, or HSH, pays nonprofit groups to provide rooms and aid to formerly homeless people in about 70 single-room-occupancy hotels, known as SROs, which the nonprofits generally lease from private landlords. The buildings are the cornerstone of a $160 million program called permanent supportive housing, which is supposed to help people rebuild their lives after time on the streets.
But because San Francisco leaders have for years neglected the hotels and failed to meaningfully regulate the nonprofits that operate them, many of the buildings — which house roughly 6,000 people — have descended into a pattern of chaos, crime and death, the investigation found. Critically, the homelessness crisis in San Francisco has worsened.
To understand why more and more people are homeless despite a broad and expensive push to house them, Chronicle reporters obtained tens of thousands of pages of inspection records, incident reports, city contracts, police records and internal city emails through the California Public Records Act. They spent months interviewing more than 150 supportive housing tenants and employees — many of them in buildings operated by the Tenderloin Housing Clinic, the citys biggest nonprofit SRO operator — and observing conditions in 16 hotels.
Among the findings:
• HSH says its goal is to provide some residents with enough stability to enter more independent housing. But of the 515 tenants tracked by the government after they left permanent supportive housing in 2020, a quarter died while in the program — exiting by passing away, city data shows. An additional  21% returned to homelessness, and 27% left for an “unknown destination.” Only about a quarter found stable homes, mostly by moving in with friends or family or into another taxpayer-subsidized building.
• At least 166 people fatally overdosed in city-funded hotels in 2020 and 2021 — 14% of all confirmed overdose deaths in San Francisco, though the buildings housed less than 1% of the citys population. The Chronicle compiled its own database of fatal overdoses, cross-referencing records from the medical examiners office with supportive housing SRO addresses, because HSH said it did not comprehensively track overdoses in its buildings.
• Since 2016, the year city leaders created the Department of Homelessness and Supportive Housing, the number of homeless people in the city has increased by 56%, according to data exclusively obtained by The Chronicle that shows how many people accessed services. At least 19,000 people were homeless in San Francisco at some point in 2020, the most recent year for which data was available from the health department.
![Two charts. The first shows the department of homelessness budget,](https://files.sfchronicle.com/sfc-graphics-engineering/sros/budget_and_population_320.png)![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/budget_and_population_720.png)
• Residents have threatened to kill staff members, chased them with metal pipes and lit fires inside rooms, incident reports show. At the Henry Hotel on Sixth Street, a tenant was hospitalized after a neighbor, for a second time, streamed bug spray into their eyes, public records show. Last May, less than a mile away at the Winton Hotel, a resident slashed another tenants face with a knife, leaving a trail of blood out of the building. Much of the instability stems from a small group of tenants who do not receive the support they need.
• Case managers who support SRO residents have overseen as many as 85 tenants apiece in recent years — five times higher than federal recommendations — in part because residential hotels receive as little as $7 a day per room for supportive services. Thats far less than the $18 per day per unit that HSH says is necessary for proper staffing for tenants seeking health care, job training and other assistance. Meanwhile, most of the caseworkers make well below a living wage; some are on the verge of homelessness themselves.
• Broken elevators trap elderly and disabled tenants on their floors, shuttered bathrooms force people in wheelchairs to rely on portable hospital toilets, and water leaks spread mold and mildew through rooms. Since 2016, city building inspectors have cited supportive housing SROs for more than 1,600 violations. Despite these problems, HSH has at times allocated hundreds of thousands of dollars less in annual funding for maintenance, repairs, and the hiring of workers like clerks and janitors than what the agency itself has deemed adequate.
• In 2019, the Board of Supervisors considered a ballot measure to create an oversight commission for HSH, which has 192 employees and one of the largest budgets among city agencies. But Breed lobbied against it, saying a commission would create more bureaucracy and that it was important she maintain direct control of the department. The measure died.
• HSH pledged to create a metrics-driven system to hold its nonprofit operators accountable by 2019. Yet Breed has allowed the department to push back this self-imposed deadline twice. HSH officials acknowledged in October that they had not issued a single plan of correction to housing providers, even as some programs have fallen egregiously short.
Left in decrepit buildings with little support, many SRO residents have become increasingly desperate.
Timothy Isaiah, 57, whom the city placed on an upper floor of the West Hotel even though he uses a wheelchair, said he repeatedly missed chemotherapy for his prostate cancer last year when a broken elevator trapped him in his room. Public records and interviews confirm that the elevator was inoperable for six weeks this winter.
Blocks away, at the Baldwin Hotel, Richard Brustie said he became so fed up with the conditions that he and his girlfriend left in January. They opted to live in a tent outside instead.
“I moved in there and the kitchen sink had human shit in it, and the hotel has black mold,” said Brustie, also 57. Past public inspection records confirm similar violations in the Baldwins common areas. “So we said screw that, and we started sleeping on the streets.”
San Franciscos supportive housing SROs
Housing for homeless adults is heavily concentrated in and around the Tenderloin. Select a circle to read about the SRO at that location.
50100275 tenants housed in 2021
Source: Department of Homelessness and Supportive Housing, Chronicle research
After The Chronicle made repeated requests to interview the mayor, Breed — who was briefed by HSH on the findings of this investigation was made available to speak to reporters by phone for 13 minutes.
The mayor acknowledged that many of the citys SROs have issues and said people “should not have to live in these conditions.” She blamed the nonprofit operators and called for them to receive more scrutiny — a case she has been making since 2018 when she ran for mayor.
“Its important that we make sure that the resources were providing are being used for the purpose that theyre intended to be used for,” Breed said.
Asked why she has not pressed HSH to hold nonprofits accountable for conditions in the SROs, Breed largely blamed the coronavirus pandemic, which began nearly two years after she took office. Breed declined to comment on whether the city had underfunded some SROs, and said she did not have information in front of her that would allow her to say what she had done as mayor to improve the citys most troubled buildings.
Shireen McSpadden, who became director of HSH in May 2021, said in an interview that she inherited an SRO stock that city leaders had inadequately funded for years. But, McSpadden added, she would rather see people inside than on the streets, even if its in a building that “isn't quite as good as it could be.”
After The Chronicle inquired about the lack of corrective action plans issued to nonprofits, HSH said it had implemented two since December — the first since the department was created in 2016.
![Ericka Marie Stuetson sweeps bugs out of her second-floor room at the Mission Hotel in San Francisco.](https://s.hdnux.com/photos/01/24/60/65/22220116/1/325x0.jpg)
After covering her possessions and spraying pesticide, Ericka Marie Stuetson sweeps bugs out of her second-floor room at San Franciscos Mission Hotel. Scott Strazzante/The Chronicle
In addition, McSpadden said HSH is in the process of directing millions of dollars into the older SROs to attempt to create calmer, safer and better-maintained homes, while also requesting additional money from the mayors office in the upcoming budget.
“Every single time we make a decision, we're making a decision about people's lives,” McSpadden said. “As we do this, we may be saying, We're serving fewer people because we're going to focus on making sure that our buildings are really in great shape.
More than a third of the citys supportive housing SROs, including many that struggle with chronic problems and funding shortfalls documented by The Chronicle, are run by the Tenderloin Housing Clinic, or THC. Randy Shaw, the nonprofits director, defended his buildings as “high quality” and blamed the city for placing only the most high-need tenants in his SROs without providing adequate resources and staffing to support them.
“We throw all these people into our hotels who have no demonstrated ability to live independently, who have severe problems and need to be elsewhere,” Shaw said, adding that theres often nowhere else for them to go.
When done right, permanent supportive housing is the most effective and humane way to address homelessness, according to years of peer-reviewed research. It can give people the stability, resources and attention to address problems that were aggravated by their time on the streets, including serious health conditions, drug addiction and poverty.
Some supportive housing SROs in San Francisco are relatively well funded, with bigger budgets to maintain buildings and clinically trained staff members who can meet residents needs. The city and several nonprofit organizations have also purchased their own hotels and spent millions of dollars to refurbish them with private bathrooms, kitchenettes, and modern plumbing and electrical systems.
Public records and interviews revealed fewer deficiencies and complaints in many of these programs.
But of the roughly 70 supportive housing SROs in San Francisco, reporters found that most were beset either by housing code violations, understaffing, persistent calls to 911, frequent drug overdose deaths or widespread complaints from tenants.
Where do people go after supportive housing?
515 people left federally funded supportive housing programs in San Francisco in 2020. The city seeks to provide residents with enough stability to move on to more independent housing, but even people leaving some of the citys better-funded programs often end up in a worse place.
137 left for an unknown destination, untracked by the city.
abcdefghijklmnouvwxpqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstyzabcdefghijklmnopqrstuvwxfghijklmnopqyzabcderstuvwxyzllljyfh
110 returned to the streets or ended up in temporary housing or an institutional setting. That includes emerngecy shelters, jail or crashing on a friend's couch.
abcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxfghijklm
abcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxfghijklmnopqyzabcderstuvwxyzl
131 died. The records do not indicate how, but fatal drug overdoses are common in some supportive housing sites.
abcdefghijklmnopqrsxyzabcdefghijklzlmnopqrstuvwxyzabcderstuvfghijklmnopqwxklmnopqrstyzabcdefghijuvwxfghijklmnopqcderstuvyzabwxyfghi
131 died The records do not indicate how, but fatal drug overdoses are common in some supportive housing sites.
abcdefghijklmnouvwxpqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstyzabcdefghijklmnopqrstuvwxfghijklmnopqyzabcderstuvwxyzlllhdmi
137 people found other permanent housing. Most often, residents moved into other subsidized housing or they moved in with friends or family.
abcdefghijklmnouvwxpqrstuvwxyzabcdefghuvwxyzanopijklmnopqrstbcdefghijklmqrstklmnopqkyzabcdefghijrstuvwxfghijlmnopqwxyzllyzabcderstuvhdmil
137 people found other permanent housing. Most often, residents moved into other subsidized housing or they moved in with friends or family.
Source: Department of Homelessness and Supportive Housing
These properties have rooms that are often smaller than what the city allows for a standard parking space, in buildings where tenants typically share a bathroom and kitchen with neighbors. Many residents in these hotels struggle with drug addiction or have mental and physical disabilities, their lives upended by financial crises and other traumas.
The SROs are clustered in and around the Tenderloin, a neighborhood riddled with so much crime and open drug use that Breed in December declared a 90-day state of emergency there. By allowing people to live in such conditions, San Francisco has spent hundreds of millions of dollars but still failed to help those most in need — and only hindered its efforts to tackle the ever-worsening homelessness crisis.
“Were shooting ourselves in the foot,” said Margot Kushel, a UCSF researcher and national authority on best practices in supportive housing. “We cant (house) people who are incredibly high-risk and not give them the services they need. It will not work.”
Breed is not the first city leader to rely on Tenderloin SROs to house homeless people. One mayoral administration after another has used the properties to get as many people off the streets as quickly as possible, while failing to address the living conditions inside. San Franciscos debilitating affordability crisis and fierce resistance from residents to creating supportive housing in wealthier neighborhoods have fueled the approach.
During her 2018 campaign for mayor, Breed — who regularly invoked her own childhood in substandard public housing — promised to look closely at the citys investment in homelessness services, the bulk of which goes to supportive housing. San Franciscans “deserve accountability,” she said shortly after she was elected.
![Mayor London Breed and Tenderloin Housing Clinic Executive Director Randy Shaw tour a room in Garland supportive housing.](https://s.hdnux.com/photos/01/25/17/37/22345712/1/325x0.jpg)
Mayor London Breed and Tenderloin Housing Clinic Executive Director Randy Shaw tour a room in Garland supportive housing. Breed said she hoped housing like Garland “will allow people to live in their own space, and live their lives with dignity.” Scott Strazzante/The Chronicle
Last year Breed pledged to take San Franciscos supportive housing system in a new direction. She expanded the distribution of rental vouchers so more people can live outside of Tenderloin SROs, and boosted funding for support services and maintenance in newer programs — most of which have private bathrooms and in-unit kitchenettes.
“That is so important,” she said this month at a news conference for the Garland Hotel, a newly renovated SRO. Officials showed reporters a spacious room with two large windows, a private bathroom and a kitchenette with a stone countertop. “I want us to move towards places like the Garland … that will allow people to live in their own space, and live their lives with dignity.”
Jefferson
![](https://s.hdnux.com/photos/0/0/0/22316011/3/560x0.jpg)
Address
440 Eddy St.
Year opened
1999
Tenants housed, 2021
126
Provider
Tenderloin Housing Clinic
Yet Breed has made the same political calculation as her predecessors: pour money into new programs while overlooking the thousands currently living in underfunded hotels.
While the bulk of her budget this year comes from Proposition C — a 2018 business tax that may be spent only on new homelessness services — Breed has made relatively little additional funding available during her four years in office to improve the existing SROs. Less than 2% of the current homelessness budget will be spent boosting services in older supportive housing sites.
Tenants and advocates fear the city will create a two-tiered system: In new programs created under Breed, people will live in better-maintained buildings in safer neighborhoods and receive far more help as they try to move on from their time on the streets. In the older programs, people like Pauline Levinson will continue to struggle.
Levinson, who attended Lowell High School and San Francisco State University, wound up at the Jefferson Hotel in 2020 after leaving an inpatient drug-treatment program. When the city offered her a room for $500 a month, she envisioned a stable home where she could re-establish relationships with her three children and save up for an apartment.
Instead, at the hotel in the heart of the Tenderloin, ceilings have collapsed on tenants, thieves have stolen from their rooms, and bedbugs have left welts on their arms and legs, according to public records and interviews with 15 residents.
Haunted by the death of a good friend in the building, Levinson said she recently tried to retrieve the womans belongings from the trash room after staff members threw them away. But they had already been soiled by garbage.
![Pauline Levinson in her room at the Jefferson Hotel on Eddy Street in San Francisco.](https://s.hdnux.com/photos/01/25/02/11/22291022/1/325x0.jpg)
Pauline Levinson has endured a rodent infestation in her room at the Jefferson Hotel so severe that she pitched a tent inside the room to protect herself. Scott Strazzante/The Chronicle
Levinson is deteriorating, she acknowledges. After slapping a friend in the hallway, getting into arguments with neighbors and staff members, and racking up noise complaints, she is fighting the THCs attempt to evict her. Levinson and the nonprofit agree that she would be better off in a smaller building with more support — but such options are rare in San Francisco.
“Ive got to get out of here,” she sobbed one day in January. “This is a nightmare. People give up in these places. There really is no hope.”
Fifteen years before Levinson moved into the Jefferson and more than a decade before Breed took office, a young mayor with lofty political goals made an eye-popping proposal. He was going to end the worst of San Franciscos growing homelessness crisis within a decade.
That politician is Gavin Newsom, now the governor of California.
A major pillar of his plan was a city ballot measure known as Care Not Cash, which would slash monthly welfare payments to homeless people by hundreds of dollars, to as little as $59. The new policy — based in part on the belief that generous cash payouts drew homeless people into San Francisco and funded drug use — launched in 2004, the same year Newsom became mayor. In exchange for less money, people would be offered a place to stay.
But there wasnt enough housing available. Scores of people were reportedly stuck in emergency shelters, with little money and nowhere else to go. Sister Bernie Galvin, a Roman Catholic nun who advocated for the homeless, told reporters before the launch of Care Not Cash that it was “heartless, ruthless and basically immoral.”
Facing backlash, Newsom scrambled to find housing. The solution: His administration would secure the 100-year-old residential hotels concentrated in the Tenderloin and South of Market, or SoMa.
![Then-Mayor Gavin Newsom tours a room at the McAllister Hotel in 2004.](https://s.hdnux.com/photos/01/24/60/65/22220115/1/325x0.jpg)
Then-Mayor Gavin Newsom kicks off the Care Not Cash program in 2004 with a tour of the McAllister Hotel near the Civic Center. Brant Ward/The Chronicle 2004
Built mostly in the aftermath of the great San Francisco earthquake of 1906, these hotels first housed seafarers, dock workers and other laborers. With sparse amenities — small rooms, thin walls and shared bathrooms — the hotels were frequently used for temporary stays as the citys new arrivals saved for better housing or followed work elsewhere.
Beginning in the late 1940s, most of the properties were torn down or converted to make room for apartments, office buildings and tourist hotels. Many of those that remained fell into disrepair; welfare officials started using the rooms as shelter for the unemployed and elderly.
Then, starting in the 1980s, the state and federal governments slashed billions of dollars in funding to subsidized housing programs and mental health services. As rents in San Francisco soared and affordable housing options like SROs shrank, thousands of people were forced out on the streets.
By the early 2000s, the city said roughly 8,640 people were homeless in its biennial count, meaning they were living either outside, in an emergency shelter, or in other tenuous circumstances.
Similar to today, sleeping bags lined downtown sidewalks, prompting outrage from business groups and residents who pressured Newsom into action. His administration worked with nonprofits to purchase SROs or — more often — to negotiate long-term contracts with their owners to house homeless people.
Leasing buildings was far faster and cheaper than buying buildings, or constructing new ones, especially in pricey San Francisco. Strict laws that prevented demolishing SROs or flipping them into tourist hotels or apartments unless the owners paid a hefty fee also meant the properties were here to stay, though many of them were mostly vacant. They could remain underutilized structures for the citys poorest residents, or be used to house homeless people.
The arrangement, called master leasing, is a boon for building owners, who can secure more than $1 million in rent each year. About 15% of the leased SRO units were funded by the local health department and provided robust on-site support. The rest, including the Care Not Cash hotels, were overseen by the city Human Services Agency and offered much less help.
Still, in 2008, a city audit concluded that Care Not Cash was “generally achieving its goals” by moving people indoors, keeping them housed, and offering mental health and drug treatment services. Newsom told reporters it was “a story of success beyond our imagination.”
“Thousands of people were being helped by this,” Steve Kawa, chief of staff for both Newsom and his successor, Mayor Ed Lee, said in an interview last year. “And its not just that they have a place to live thats clean and safe — but theyre also getting the care they need to have as human beings.”
But by 2011, when Newsom left San Francisco to become lieutenant governor, the number of homeless people in San Francisco had remained unchanged. That left Lee, the newly appointed mayor, facing the same political dilemma of thousands sleeping on the streets and increasing demands to do something about it.
Like Newsom — who through his office declined to be interviewed for this story — Lee looked to SROs in some of the citys poorest neighborhoods.
But as the city approved contract after contract, it became apparent the approach was falling short. From 2014 and 2016, several audits and public reports found a lack of on-site support and oversight in the SROs.
Case managers interactions with residents were often limited to just a few referrals for basic services or written notes about paying rent. Insufficient monitoring by city agencies made it difficult to “track the actual outcomes of supportive housing residents and whether supportive housing programs are effective,” a report by the city Budget & Legislative Analysts Office warned.
In master-leased SROs overseen by the Human Services Agency, two-thirds of tenants left within three to four years. Alarmingly, many appeared to wind up homeless again: According to the report, they increased their use of homelessness and emergency services or landed in jail, suggesting that their situation had “worsened.”
A separate study on all SROs by the local health department noted that some hotels were so neglected that “even the most basic functions like bathing, accessing food, and socializing were a struggle” for residents.
![Then-Mayor Ed Lee listens to Winton Hotel resident Joseph Brown (holding keys) speak during a 2017 news conference announcing a new permanent supportive housing site at the National Hotel in San Francisco.](https://s.hdnux.com/photos/01/24/60/65/22220117/1/325x0.jpg)
At a May 2017 news conference, then-Mayor Ed Lee (right) listens to Joseph Brown, a new resident of the Winton Hotel, which was being touted as a new supportive housing site. Lea Suzuki/The Chronicle 2017
Faced with growing calls to fix the system, Lee — who died of a heart attack in 2017 while in office — announced a plan to transform San Franciscos response to homelessness.
He moved oversight of the SROs and other homelessness programs from a tangle of city agencies to just one: HSH. Lee pumped the new agencys budget with $202 million — the majority of which went to supportive housing — and promised that the city's investment would lead to better coordination and results.
By 2020, the mayor said, the city would end homelessness for thousands of San Franciscans.
“We will not move them from corner to corner. We want to have sustained support for them,” Lee said at a 2015 news conference, standing in the lobby of the newly refurbished Baldwin Hotel on Sixth Street in SoMa. “This is a world-class city, and we have a world-class heart.”
Christopher Harris room was infested with mice and cockroaches, and was so small that when he stretched out his arms, he could nearly graze the opposite walls with his fingertips. This was the Baldwin Hotel in the summer of 2020, five years after Lees news conference.
The city had placed Harris, 29, at the Baldwin after the car he was living in broke down. A few months later he was moved to a slightly larger unit near the trash room, which overflowed with so much garbage that the door wouldnt shut, filling his room with a putrid odor that he tried to mask with candles and incense.
![Christopher Harris lived in his car after being evicted from the Baldwin.](https://s.hdnux.com/photos/01/24/60/65/22220126/1/325x0.jpg)
Christopher Harris, who was evicted from the Baldwin Hotel in June, was living in his car with his dog, Selen, in December. He said living at the Baldwin made him “sad, depressed, isolated.” Scott Strazzante/The Chronicle
A group of neighbors standing on the sidewalk outside the Baldwin complained of vermin, leaking ceilings and clogged toilets, issues that were previously cited in building inspection records. One man in a wheelchair told The Chronicle his room was so slanted that he rolled across it.
“I really hate it,” Harris said in an interview in June. “It makes me really sad, depressed, isolated.”
A Chronicle analysis of data from the citys building inspection agency found that since 2016, San Franciscos supportive housing SROs have been cited for at least 1,600 housing or building code violations. A review of thousands of pages of health department reports revealed scores of additional hazards.
HSH has not adequately funded maintenance in many buildings, or stepped in when nonprofits and private landlords responsible for addressing bigger structural issues have failed to make quick repairs. As a result, these shortcomings have been allowed to fester with few consequences, the investigation found.
The citations reviewed by The Chronicle cover everything from missing room numbers to ceilings on the verge of collapse, yet offer just a glimpse into the conditions of many hotels. During visits to 16 SROs, reporters observed dozens of issues that were not investigated or cited by inspectors: a sweltering room heater stuck at 81 degrees; a pitch-black fourth-floor bathroom without power; the door to a vacant room taped shut, cockroaches spilling out of it.
![Mission Hotel resident Anthony Alexander.](https://s.hdnux.com/photos/01/24/60/65/22220147/1/325x0.jpg)
Mission Hotel resident Anthony Alexander said a cat jumped into his window, knowing there would be mice to catch in his room. Stephen Lam/The Chronicle 2021
At the Mission Hotel last summer, a cat jumped through the open window of Anthony Alexanders ground-floor unit and parked itself in front of a hole in the molding. Mice scurry out of the wall so frequently, Alexander said, that the cat knows it just has to wait. Health inspection records show the Mission Hotel has previously been cited for rodent issues.
A resident navigates the stairs of the Cadillac Hotel while the elevator is out of order. Provided by Mark Parsons
More than 1,100 of the violations cited by building inspectors in city-funded SROs were related to unsanitary living conditions or general disrepair. “Absolutely brown” water flowed from a sink faucet; “thick mold” covered a room; and a vinyl floor “appeared to be held in place by tape,” inspectors said.
In at least 68 documented cases, elevators were out of service for days or weeks, removing a lifeline for people dependent on wheelchairs and walkers. Some tenants have had to call the Fire Department to get someone to carry them up or down the narrow stairwells, incident reports show.
At the Cadillac Hotel in January, an elderly resident sat on the bottom step, unable to make it up to his room. The elevator was inoperable, according to inspection records. The Cadillacs nonprofit owner and operator, Reality House West, did not return repeated requests for comment.
“There is no place for SRO tenants to go — there is no up,” said Mark Parsons, 67. He suffered a stroke last year and struggles to walk up the stairs whenever the elevator breaks at the Cadillac in the Tenderloin. “They are just a forgotten class of people, and Im one of them.”
Eighty of the violations since 2016 cited a lack of services: shuttered bathrooms; heaters that either didnt turn on or wouldnt shut off; shower grab bars hanging off walls.
At the Hillsdale Hotel on Sixth Street, hot water was out for at least a week over the winter, prompting inspectors to call for an administrative hearing to speed repairs. Episcopal Community Services, a major supportive housing provider that manages the Hillsdale and Henry hotels, declined several requests for an interview.
## Reports from SRO inspections
Department of Public Health inspections revealed many violations in supportive housing SROs, from rodent and vermin infestations to general disrepair. Some of the citations were issued to tenants and others to the housing providers. Hover or tap on a document to see a photo of the reported violation.
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-01.png)
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-02.png)
Damage to the wall and ceiling at the Seneca Hotel.
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-03.png)
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-04.png)
Cockroach infestation in the common areas of the Allen Hotel
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-07.png)
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-08.png)
Holes in the wall and a broken sink at the Seneca Hotel.
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-09.png)
![](https://files.sfchronicle.com/sfc-graphics-engineering/sros/SRO_complaint_flipcards-10.png)
A "tremendous amount of cockroaches" in an elderly and disabled man's room.
Source: San Francisco Department of Public Health
Shaw, executive director of the Tenderloin Housing Clinic, said he regularly visited his hotels before the pandemic and did not see problems with maintenance and upkeep. When there are issues, Shaw said, his staff and the building owners address them as quickly as possible.
Shaw blamed residents for some of the violations documented by The Chronicle. He said some SRO tenants have hoarding disorder — a mental health condition marked by difficulty discarding possessions — and that this behavior attracts pests. Other residents have vandalized buildings and drilled holes in their units, he said, resulting in citations.
“Is every person a victim?” Shaw asked. “Theres no question that theres a greater challenge housing our population because of the difficulties with the tenants themselves.”
But The Chronicle found that many residents do not contribute to the substandard living conditions to which they are subjected. Rather, these conditions put a heavy burden on people already dealing with physical and mental health challenges.
In January, at the Jefferson Hotel, Tony Evans showed a reporter how he must struggle to pull a small refrigerator out of his closet to sweep away mouse droppings that build up. Evans, whos disabled by a back injury, said he goes through the same precarious routine three times a week.
A health inspector in December confirmed that mice had come into some tenants units when they left their doors open to air their rooms out.
![Sitting next to his dog, Loca, Tony Evans visits with Joseph Atchan at the Jefferson Hotel in San Francisco.](https://s.hdnux.com/photos/01/25/02/11/22291020/1/325x0.jpg)
Tony Evans and his dog, Loca, visit with Joseph Atchan, who lives down the hall from Evans at the Jefferson Hotel on Eddy Street. Scott Strazzante/The Chronicle
Down the hall, Joseph Atchan pointed to a rough patch in his ceiling where he said it had recently collapsed, raining debris on him and cutting his hand. He showed reporters a photo of the damage. As he spoke, his clothes hung from a thin ledge above his bed; there was no other space for them in his small unit.
“They just put people in these places — they dont ask them what they need, they dont help them out, they just leave them stuck,” Atchan said.
City contracts require nonprofit organizations to maintain their buildings in “sanitary and operable condition.” They must frequently clean common areas, remove trash, provide pest control, and repair smaller plumbing and electrical issues.
A large chunk of the money they receive from the city — as much as $1,100 per unit — often goes straight to the buildings private owners to cover the leases. These owners are typically on the hook for major repairs, like fixing inoperable elevators and structural problems, though public records show it can take weeks or even months for them to address these issues.
Dipak Patel, who owns several supportive housing SROs leased to the city, said the delays are often out of his control because major repairs can take time, especially in century-old buildings.
![A dead mouse and a damaged ceiling at the Jefferson Hotel.](https://s.hdnux.com/photos/01/25/02/11/22291019/1/325x0.jpg)
![A dead mouse and a damaged ceiling at the Jefferson Hotel.](https://s.hdnux.com/photos/01/25/02/11/22291015/1/325x0.jpg)
Scenes from the Jefferson Hotel, from top: A dead mouse is caught on a sticky trap in Tony Evans room. Down the hall in Joseph Atchans room, the ceiling recently caved in. Scott Strazzante, The Chronicle and provided by Joseph Atchan
For example, the Tenderloin Neighborhood Development Corp., the nonprofit that owns and operates the West Hotel, said repairs were held up on the broken elevator that stranded Timothy Isaiah in his room, in part because the pandemic delayed the delivery of parts and state inspectors took weeks to sign off on the work.
Meanwhile, some nonprofit directors say the remaining funds arent enough to promptly fix all of the problems, let alone properly staff the buildings with janitors and maintenance workers.
After paying rent to property owners and hiring case managers, some building operators are left with as little as $740 per unit each month to clean common areas, make repairs, turn over rooms and provide 24-hour front desk staffing — 33% less than the standard funding for programs opening under Breed today. When things break, nonprofit officials say, theres often not enough money or staff to quickly fix them.
“If you can't have desk clerks, janitors, case managers and maintenance workers, you can't make this model work,” said Lauren Hall, co-founder and director of DISH, or Delivering Innovation in Supportive Housing, a nonprofit that manages some of the citys better-funded SROs. “Its not a model thats broken. Its a model thats under-resourced.”
Presented by The Chronicle with a detailed breakdown of the funding disparities in supportive housing, HSH officials said they were in the process of adding roughly $3.4 million for “repairs and improvements” across all of their master-leased hotels, as well as for deep cleaning and increased janitorial staff at certain properties.
Baldwin
![](https://s.hdnux.com/photos/0/0/0/22316010/3/560x0.jpg)
Address
74 Sixth St.
Year opened
2015
Tenants housed, 2021
191
Provider
Tenderloin Housing Clinic
Still, in some cases, the problems cant be entirely explained by funding: At the Baldwin Hotel, where Christopher Harris lived, the THC was authorized to receive $3,300 to $3,600 per month in rent payments and taxpayer dollars for each unit last year — about $1,000 more than the average rent of a studio apartment in San Francisco.
That funding is higher than at most of the THCs other properties because of millions of dollars in federal support to house chronically homeless adults with diagnosed disabilities.
Despite the large price tag, inspections and complaints at the Baldwin unearthed a mountain of problems in the past six years, according to city reports: feces in the communal showers; a sink hanging off a wall; a broken elevator that forced staff to deliver food to tenants stuck on upper floors; and an elderly disabled man living amid a “tremendous amount” of cockroaches.
Through interviews and by obtaining internal HSH emails, reporters learned of at least three separate instances in which tenants fled the building to sleep outside.
“Residents were saying all the time that it was worse than being on the streets,” said Lizz Cady, a former employee who oversaw support services for the Baldwin when it first opened.
Shaw denied that the nonprofit was responsible for the conditions inside the Baldwin. He blamed the city, saying leaders never should have placed such a high-need population there. The building has nearly 200 units and extra-small rooms, and is located on a crime- and drug-ridden stretch of Sixth Street.
Living conditions became so untenable that, in 2018, the THC — not HSH — attempted to sever its contract, worth up to $7.7 million per year, to run the Baldwin. In emails, the nonprofits deputy director told the city agency that it could not provide its “standard level of services” and that “tenants and staff feel unsafe.”
HSH increased the number of counselors and decided to leave at first 25 then 55 of the SROs rooms empty, but the problems persisted. In a 2019 annual report, THC staff said fights were common and maintenance staff had a hard time staying on top of frequent property damage.
![After being evicted, Christopher Harris moves his belongings to a rental car outside the Baldwin on Sixth Street in San Francisco in June 2021.](https://s.hdnux.com/photos/01/24/60/65/22220124/1/325x0.jpg)
Evicted from the Baldwin Hotel in June, Christopher Harris moves his belongings to a rental car. “This place is really evil,” Harris said of the Baldwin. Scott Strazzante/The Chronicle
Harris, struggling to adjust to life inside the Baldwin, was kicked out last July for fighting with other residents. “God is just trying to take me to a better place,” he said before lugging his belongings down to the street. “This place is really evil.”
By November, Harris and his small dog were homeless again, living out of a sedan with a shattered back window.
Then in December, after years of warnings and complaints, HSH and the THC finally agreed to stop using the Baldwin for permanent housing.
Their decision was based on a shared understanding: It was an unsuitable place for people to call home.
When London Breed ran for mayor in 2018, she made a promise: Her administration would audit the citys spending on homelessness services, making sure nonprofit organizations were holding up their end of multimillion-dollar contracts.
“We need to understand what were doing now, whether or not were making the right investments and, more importantly, what is our long-term plan of action to address these issues,” [she told KQED](https://www.kqed.org/news/11700067/after-100-days-at-the-helm-s-f-mayor-london-breed-reflects-on-housing-homelessness-efforts) in October 2018, four months after she won the mayoral race.
HSH had been created in part to oversee San Franciscos investment in services such as supportive housing. Officials would define what success looked like, then “drive our resources toward programs that meet the citys strategy and the citys priorities,” said former director Jeff Kositsky, speaking just before the agency launched. (Kositsky, who ran the department for four years, declined to comment for this story.)
![A resident sits at a window at the Henry Hotel on Sixth Street in San Francisco.](https://s.hdnux.com/photos/01/24/60/65/22220139/1/325x0.jpg)
A resident sits at a window at the Henry Hotel on Sixth Street. Scott Strazzante/The Chronicle
In 2017, officials said they would develop comprehensive performance measures for all nonprofit contractors. HSH said it would put this enhanced oversight in place by the end of 2019 — and the need was urgent.
The agency planned to adopt a system called coordinated entry that would prioritize placing the most vulnerable people in supportive housing — those who had been on the streets longer and had more challenging health needs.
But today HSH has created only limited guidelines to determine how effective its programs are, a 2020 audit found, even though such standards were supposed to be in place more than two years ago.
As the first deadline for that metrics-driven plan neared in December 2019, HSH officials said they needed more time. They pushed their self-imposed deadline back until summer 2021. Breed allowed the delay.
Then, last summer, HSH director McSpadden told supervisors that her department would push back the accountability systems debut again, in large part because of the pandemic. In an interview this month, she said HSH plans to have detailed goals and requirements folded into all new contracts by June 2023.
Breed acknowledged that specific performance goals are a “key component missing in terms of accountability,” and that she expects nonprofits to alert HSH to issues as they come up.
In the absence of stringent monitoring, the city has relied heavily on short reports filled out by supportive housing providers to measure success. These include self-reported data that is not independently verified by HSH — surveys that claim tenants are overwhelmingly happy with their housing, even in some buildings where The Chronicle uncovered serious concerns from residents.
Supervisor Matt Haney, whose district includes the Tenderloin and SoMa, tried to add a layer of supervision to HSH in 2019. The supervisor — who said his office receives a flood of complaints about conditions in supportive housing sites — proposed the creation of an oversight commission, similar to those that regulate San Francisco International Airport and the Recreation and Park Department.
Under Haneys original proposal, the commission would have approved or declined most supportive housing contracts — those over $200,000 — before passing them to the Board of Supervisors for a final vote. Moreover, it would have gained the power to hold the agency accountable by, for example, opening an investigation into its activities or firing the department head. And the commission would have created a central public forum where tenants could share their grievances.
“When you dont have oversight or regular audits, its hard to ensure quality and results,” Haney said. “We should have clear metrics and strategy, and thats not in place right now.”
But Breed was “strongly opposed” to the idea, he said, because she “felt that putting in a commission makes it more challenging for her to be accountable for results.” Haney said Breed spent months lobbying his colleagues against it.
The measure, which required voter approval, needed six supervisor votes to qualify for the November ballot. On July 23, 2019, Supervisors Haney, Gordon Mar, Hillary Ronen and Shamann Walton voted to place the proposal on the ballot in that upcoming election.
But seven supervisors — Vallie Brown, Sandra Lee Fewer, Rafael Mandelman, Aaron Peskin, Ahsha Safaí, Catherine Stefani and Norman Yee — voted to delay consideration of the measure until a future election cycle, effectively killing the proposal.
In an interview, Safaí said he is generally supportive of the idea of a commission. But he said he agreed to delay the measure in 2019 because he wanted more time to consider the proposal amid “strong opposition” from the mayors office.
Breed told The Chronicle this month that she had opposed the commission because it would have added “another layer of bureaucracy that can make it difficult for us to try and do the work that we're here to do.”
Nearly three years later, Haney, who was elected last week to the California Assembly, has not revived the proposal. He said he did not have enough support and that the pandemic — which struck several months later — distracted the board with other priorities.
Today, HSH is the largest agency in the city without an oversight body.
Left with scant monitoring and inadequate staffing, many SROs have been overwhelmed by the same issues — mental health crises, crime and addiction — that they are supposed to be calming through stability and support.
The Chronicle reviewed police reports, records from the Office of the Chief Medical Examiner and nearly 900 critical-incident reports that nonprofits must fill out whenever theres a serious emergency in their buildings. They found that police and emergency medical technicians respond to some SROs every other day on average.
Winton
![](https://s.hdnux.com/photos/0/0/0/22316012/3/560x0.jpg)
Address
445 O'Farrell St.
Year opened
2016
Tenants housed, 2021
105
Provider
Tenderloin Housing Clinic
In 2020 and 2021, at least 166 people died of drug overdoses in supportive housing hotels, devastating residents and staff members, The Chronicles investigation found.
At the Baldwin Hotel last June, a tenant recalled seeing a man running down the hall yelling for Narcan, the nasal spray that reverses opioid overdoses, crying out that his girlfriend was turning purple. He wasnt able to help her in time: She died, city records confirmed. The medical examiner came to cordon off the room.
Months later, at the Mission Hotel, flies swirled around the lobby as a minister held a service for two residents who had recently passed away. A stream of tenants shuffled through, glancing at the bouquets of plastic flowers on a small altar, but few stopped to participate in the all-too-familiar ritual.
In a February hearing, HSH officials acknowledged that living amid so much death is traumatizing for tenants and staff.
Increased prevention efforts, including installing hallway dispensers for Narcan, have helped bring down the number of fatal overdoses from a peak in 2020, officials said. Because it can take months for the medical examiner to determine a cause of death, complete data from last year is not available, but partial records show a decline in fatal overdoses across the city, including in SROs.
Still, HSH said at the hearing that it doesnt track how many people overdose in supportive housing programs. In an interview this month, McSpadden said the agency is developing a monitoring system. She added that HSH is implementing an overdose prevention policy that, among other things, mandates additional training for SRO staff.
![The medical examiner removes a body outside the Winton Hotel.](https://s.hdnux.com/photos/01/25/02/11/22291016/1/325x0.jpg)
The medical examiner removes a body outside the Winton Hotel on OFarrell Street. Provided by Richard Chapman
The problems go far beyond overdoses.
Thieves have ransacked tenants rooms, and residents have been assaulted with golf clubs, hammers and other weapons. At the McAllister Hotel on the edge of the Tenderloin in June 2020, a resident tried to saw a passage into a neighbors unit. The nonprofit operator, Conard House, did not return requests for comment about the incident.
Some challenges are inevitable when dozens to hundreds of people — many with physical and mental health conditions — are packed into old buildings with little privacy and support. Residents often arrive in poor health, or struggle with long-standing substance use after years on the streets.
Yet in some cases, HSH has not taken even basic steps to ensure a safe and healthy environment.
When the city converted the Winton Hotel on OFarrell Street in the Tenderloin into supportive housing in 2016, HSH said it would serve as a safe and calm refuge for about 100 formerly homeless people, including many military veterans.
But reporters, reviewing public records and interviewing 20 current and former residents, found that the building has become riddled with crime and disarray. Much of it, tenants say, has been caused by a small group of people who need far more attention and support than the SRO offers.
Emergency responders have been summoned to the hotel at least 740 times since it became supportive housing. Of these calls, 190 involved a potential threat to someones life or major property destruction, according to records kept by the Department of Emergency Management, which dispatches police, fire and medical personnel to 911 calls.
A fire triggered the emergency sprinkler system at the Winton Hotel, flooding parts of the building. Provided by Anthony Thorp
Last April, a resident said she was moving her belongings into a hallway to escape a bug infestation when smoke started to billow out of her neighbors room. A sofa was engulfed in flames, according to the police report, triggering the overhead sprinklers and flooding the fourth floor with rust-stained water.
The next month, loud shouts echoed through the hotel. When residents peered out of their rooms, they found blood splattered on the floor. According to a police report, a resident had forced his way into a womans room to retrieve a stolen tablet computer. In self-defense, she stabbed him twice in the face with a scalpel.
The man was arrested and charged with misdemeanor trespassing. The woman, residents said, was later evicted.
Current tenant Patricia ODonnell, who was homeless for more than a decade before the city placed her at the Winton, said she was grateful to be inside, “but its crazy living in there. Police come all the time.” As a reporter interviewed ODonnell last May, a squad car pulled onto the curb outside the building and two officers went inside. They needed to defuse a “high priority” fight, according to 911 logs.
Assaults and mental health emergencies persisted at the building through 2021, and four people died in the hotel.
“If you have any kind of trauma, (this building) is going to enhance it,” said Jonathan Nelson, who moved to the Winton in July after the city-funded SRO where he had previously lived was shuttered by a fire. At the Winton, he said, people have broken into his room and dogs have lunged at him in the hallways. “I dont feel safe at all,” he said.
Under internal guidelines, HSH is supposed to conduct site visits at supportive housing programs that receive federal funding, like the Winton, if serious issues are identified. But records obtained by The Chronicle show that agency staff members have not physically inspected the hotel in more than three years.
![Winton Hotel resident Richard Chapman rides in the aging elevator.](https://s.hdnux.com/photos/01/24/60/65/22220129/1/325x0.jpg)
Winton Hotel resident Richard Chapman rides in the aging elevator. Scott Strazzante/The Chronicle
In September 2018, when HSH monitors last went to the SRO for an inspection, they checked on the basic upkeep of common areas and reviewed administrative requirements, such as whether tenant files were up to date and properly stored.
HSH then skipped physical inspections of the Winton in 2019, 2020 and 2021. Officials said they typically conduct in-person inspections every other year and that the pandemic disrupted their plans.
Instead, officials asked THC employees to complete a 15-question checklist attesting that they had met basic administrative duties, such as creating an emergency response and disaster plan.
Shaw denied that there were serious problems at the Winton, which he called a “beautiful” hotel. He said that in general, much of the crime in his SROs stems from personal conflicts that his staff has little control over. The Winton and other buildings are generally calm, he said, except for a few high-profile incidents that draw too much attention.
“We're a violent society,” Shaw said. “Lets not act like there's something unique about SROs.”
Longtime Winton resident Anthony Thorp said he has given up hope that city leaders will fix the issues at the building. He does not blame the violence and disorder on his neighbors — many of whom, he said, are not receiving adequate support — but on the THC for not helping these tenants, and on the city for not stepping in.
“Theyre neglecting these people; theyre throwing them into a room like cattle,” Thorp said. “There are some really good, decent people who care about this building. But all the negatives wipe that away.”
Many of the problems in city-funded SROs are aggravated by severe understaffing and wages so low that some nonprofit employees in the buildings are on the brink of homelessness themselves. This dynamic undermines the very point of supportive housing: to offer stability and attentive care for those most in need.
According to HSHs guidelines, on-site counselors are supposed to work with a caseload of no more than 25 clients. That ratio gives staff members a chance to be a regular and reliable part of tenants lives, hosting events and connecting them with health care, job training and other services.
But The Chronicles investigation found that HSH seldom gives nonprofits enough funding to meet that standard — even as the city places some of the hardest-to-house people into SROs.
As a result, overworked counselors with annual salaries as low as $43,000 — well below what the federal government considers low-income in San Francisco — have little time to help residents overcome physical and mental challenges. Turnover is frequent, making it difficult for staff and tenants to build relationships and trust.
“They come and go,” said Jennifer Franklin, who moved into the Mission Hotel last summer after months living on the streets. “The one who did my intake, she was gone the next day. And then I had to meet another case manager, and start all over with my story.”
In 2020, the most recent data available, just 12 of the 42 supportive housing SROs that reported figures to the Department of Homelessness kept caseloads at or near a 1:25 ratio. Counselors working in at least 15 SROs handled 40 to 85 residents — so many that, according to experts in the field, they would have little time to offer meaningful assistance.
This lack of support exists even though the city moved forward in 2018 with coordinated entry, placing the people with highest needs into supportive housing.
Breed took office the year coordinated entry launched. Since then, supportive housing nonprofits have repeatedly raised concerns over the low pay and high caseloads: Though the adoption of coordinated entry placed more high-need residents in the hotels, they noted, the city did not alter those hotels contracts or provide more funding.
In public hearings, they have cautioned city leaders that staffing woes were threatening to undermine the very purpose of supportive housing. Employees, they warned, often had no choice but to call the police or threaten to evict the most challenging tenants.
Over the past four years, these nonprofit heads have asked for $26.6 million in additional funding to raise wages for the lowest-paid workers and improve services in their buildings, according to the Supportive Housing Provider Network, a membership group representing most nonprofit operators in the city.
But the Breed administration and the Board of Supervisors approved just $6 million in that period, effectively declining either to provide the nonprofits the resources they say they need or to hold them accountable for the poor conditions under the current funding. This amount was divided among all homeless service providers, including those offering street outreach, emergency shelters and housing.
The mayors office said in an email that city departments have had to tighten their budgets in recent years. Breed and the Board of Supervisors, the office said, receive “millions of dollars in requests for funding every year, far above what is available to spend from the general fund.”
![Marissa Roarty has worked as a case manager at several SROs that she said are short-staffed.](https://s.hdnux.com/photos/01/24/60/65/22220137/1/325x0.jpg)
Marissa Roarty has worked as a case manager at several SROs that she said are short-staffed. In one, a former resident threatened to kill her. Scott Strazzante/The Chronicle
In an interview, HSH officials said they are in the process of adding $1.1 million for support services across many supportive housing sites — though nonprofit providers have calculated that it would cost nearly four times as much just to raise salaries for all case managers to $58,000 per year.
Responding to questions about the 2020 caseloads, officials said they have since added case managers to some of the most understaffed hotels.
McSpadden said a new $9.8 million program run by the Department of Public Health and funded by Proposition C will also help by providing roving mental health services to tenants with the most significant needs. Prop. C funds can be spent only on new programs that help people who are currently homeless or prevent others from losing their housing.
The low salaries, challenging work conditions and constant turnover have frustrated people like Marissa Roarty, who said she has worked as a clinical case manager at several THC SROs that were short-staffed. When case managers are unable to proactively work with tenants, she said, problems often go unnoticed until they boil over.
In 2016, when Roarty was working at the All Star Hotel, she learned that a former resident was on an angry tirade in the Mission District and threatening Roartys life. “Where is she?” the man purportedly shouted as he barged into a nearby hotel. “I want to kill that bitch.”
Other residents have also threatened staff members at the All Star Hotel, critical-incident reports show.
For her safety, Roarty transferred to the Seneca Hotel on Sixth Street, but things didnt improve there: The hotels small, dark rooms and dirty bathrooms set the Senecas residents on edge, she said. Inspection records show a history of plumbing issues in the hotel. Meanwhile, Roartys caseload nearly doubled, from 40 people to around 70.
“Its hard to go beyond crisis management when you have such heavy caseloads,” Roarty said. “Youre putting on a Band-Aid rather than getting to the root of the issue.”
It doesnt have to be like this.
Every other major West Coast metropolis  — Los Angeles, San Jose, Seattle, San Diego, Portland, Sacramento — bases 30% to 68% of its long-term housing for homeless people in “scattered site” programs, according to a Chronicle review of U.S. Housing and Urban Development data. Through this approach, people typically use vouchers to rent apartments on the private market, then case managers help them adjust to their new lives.
“When people get to make choices about where they live — what neighborhood they want to live in or don't want to live in — theyll be more inclined to stay,” said Andrew Spiers, director of training and technical assistance at Pathways to Housing PA, a Philadelphia nonprofit that trains supportive housing providers in best practices.
![The Olympic Hotel and Windsor Hotel as seen from a window of the Winton Hotel in San Francisco.](https://s.hdnux.com/photos/01/24/60/65/22220135/1/325x0.jpg)
The Olympic Hotel and Windsor Hotel as seen from a window of the Winton Hotel on OFarrell Street in the Tenderloin. Scott Strazzante/The Chronicle
Despite residents clear desire to live outside of a Tenderloin SRO — where they must share a bathroom and kitchen with strangers and have strict restrictions on who can visit the scattered-site method has rarely been used in San Francisco. Last year, less than 11% of the citys long-term housing units for homeless people were in such programs, by far the lowest rate of any large metropolitan region in the country, HUD data shows.
Experts have attributed the low rate to the citys incredibly expensive rental market, leaving San Francisco overwhelmingly dependent on 100-year-old hotels concentrated in a few small neighborhoods.
While many of these buildings have fallen into disrepair, the city has proved that it knows how to do better. Some SROs are owned by nonprofits — rather than master-leased — and have been newly renovated to include private bathrooms, kitchenettes and larger rooms. Experts widely agree that such improvements lead to more stability and better outcomes for tenants.
“When people get into housing, and it's dignified and well run, we just see this massive transformation,” said Jennifer Friedenbach, executive director of the Coalition on Homelessness, a San Francisco advocacy group.“You can see it in people's faces. They just look different — so much more rested, and the stress lines on their face disappear. … It's just a really beautiful situation.”
In September, sunlight poured through a domed atrium into a bright, plant-lined lobby at the Kelly Cullen Community, a former YMCA that the nonprofit Tenderloin Neighborhood Development Corp. spent more than $90 million to transform into housing for medically fragile homeless people.
A nurse tended to a resident with a deep cough, while the assistant manager greeted every person she saw. A flowering rooftop garden offered a calm escape from the frantic energy of the Tenderloin eight stories below.
The 172-unit building has rooms more than twice the size of those in most other SROs, with private bathrooms and kitchenettes. Five social workers, a licensed nurse, a psychiatric social worker and a money manager help residents adjust and stay healthy. Before the pandemic, staff members hosted movie nights, karaoke and other events in a renovated auditorium.
In the past year, Breed has pledged to open buildings that look more like Kelly Cullen. Using a record $1.1 billion budget for homelessness services and a windfall in state grants, she plans to buy hotels with private bathrooms and, when possible, kitchenettes.
By owning rather than leasing these properties, the city can more easily complete critical building upgrades. The mayors administration is also providing these new hotels with far bigger annual budgets for support services and property management, though they will not have the same level of staffing as Kelly Cullen.
Breed has also funded about 1,000 rental vouchers, providing formerly homeless people with more choice in where they live.
However, Breeds massive investment will do little to improve the living conditions in SROs like the Jefferson and the Winton.
The $1.1 billion is earmarked almost completely for new programs, because much of the money comes from Prop. C. Just $14.2 million, or less than 2% of the funds, will go toward boosting services for residents in existing supportive housing hotels and apartments.
“The public wants people off the streets, and (politicians) are getting hammered with, Solve this problem now, ” said Margot Kushel, the UCSF researcher. Better conditions for those housed years ago are “not what the public is really clamoring for.”
For the thousands of San Francisco residents living in poorly funded, staffed and maintained hotels, little will change — even though improving these SROs can be a matter of life or death.
In 2011, Joel Yates moved into the Hamlin Hotel in the Tenderloin. Maintenance of the building was adequate, he said, but his small room — comprising nothing more than a sink, a bed and a window that looked onto a wall — reminded him of a jail cell.
Yates had recently left a house dedicated to clean and sober living, and was early in his recovery. When he bumped into a neighbor on his floor smoking crack cocaine, Yates relapsed. (At least two people have suffered fatal drug overdoses at the Hamlin in recent years, records show.) He stopped eating and sleeping, lost his job as a maintenance worker and hoarded scavenged items to sell.
One day in 2016, as Yates was trying to sleep in his room, he struggled to breathe. At San Francisco General Hospital, he was diagnosed with cardiac distress, a result of kidney failure. If left untreated, he probably would have died.
![Kelly Cullen Community resident Joel Yates looks at a map as he takes part in the Point In Time one-night homeless count in San Francisco on Feb. 23.](https://s.hdnux.com/photos/01/24/60/65/22220132/1/325x0.jpg)
Kelly Cullen Community resident Joel Yates takes part in the Point In Time one-night homeless count in San Francisco on Feb. 23. Scott Strazzante/The Chronicle
When Yates returned to the Hamlin after weeks in a hospital bed, he said, he learned he had been evicted. The property manager accused Yates of failing to keep his room in “a clean, decent, sanitary, and safe condition,” court records show.
For six months, he slept in an emergency shelter. During this time, because of  his life-threatening illness, the city offered him rooms in several SROs. But he turned them all down.
Recently, the Hamlins owner, Chinatown Community Development Corp., completed a major renovation of the building, adding a new elevator, community spaces and kitchens, and updating the rooms.
But at that time, Yates explained, he preferred to be homeless rather than live somewhere like the Hamlin again.
“I knew what the conditions were,” Yates said. “I needed to heal. I needed to recover. And I needed a place where I wasnt going to feel trapped.”
Then, in early 2017, Yates accepted a room at the Kelly Cullen Community. His kidney disease had made him eligible for the hotel, which housed homeless people with acute medical conditions. He asked his new case manager for a unit with a kitchen so he could eat healthy, and he asked to be able to see the sun.
Yates thrived after moving into Kelly Cullen. He stayed sober and took care of his health. He enrolled in a career development class and is now a community health worker. He joined a performing arts group with other SRO residents. He reconnected with family.
“God has blessed me,” he said of his placement at Kelly Cullen.
The only problem, as far as he can tell, is that he had to almost die to get there.
![Joel Yates performs in the SkyWatchers “From Containment to Expansion" at San Franciscos Civic Center.](https://s.hdnux.com/photos/01/24/60/65/22220138/1/325x0.jpg)
Joel Yates performs in the SkyWatchers “From Containment to Expansion" at the Civic Center. He got involved in performing arts after moving into the Kelly Cullen Community. Scott Strazzante/The Chronicle
### How we reported this story
San Francisco Chronicle reporters Joaquin Palomino and Trisha Thadani spent a year investigating the conditions inside the city's single-room occupancy hotels, or SROs, which provide supportive housing and have been identified by city leaders as a central tool in solving the homelessness crisis. Reporters interviewed more than 150 residents and front-line workers in the Tenderloin, South of Market and Mission neighborhoods, while visiting 16 buildings. Through dozens of requests for documents filed with six city agencies under Californias Public Records Act, reporters obtained and reviewed tens of thousands of pages of inspection reports, city contracts, police records and internal emails. When reporters learned that the Department of Homelessness and Supportive Housing did not track fatal drug overdoses inside supportive housing SROs, they created a database of fatal overdoses, cross-referencing hotel addresses with records from the Office of the Chief Medical Examiner. To quantify health and housing code violations in the hotels, reporters examined city data and detailed inspection reports that revealed frequent problems with maintenance and vermin in many buildings. They then spoke with city leaders, supportive housing experts and the hotels nonprofit operators about what they had found — that the city has caused immense harm by failing many of its most vulnerable residents.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -13,7 +13,7 @@ CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
Read:: [[2022-05-01]]
---

@ -14,7 +14,7 @@ CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
Read:: [[2022-05-01]]
---

@ -0,0 +1,151 @@
---
dg-publish: true
Alias: [""]
Tag: ["Society", "Scam"]
Date: 2022-05-01
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2022-05-01
Link: https://www.newyorker.com/news/our-local-correspondents/the-worst-boyfriend-on-the-upper-east-side
location:
CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: [[2022-05-01]]
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-TheWorstBoyfriendontheUpperEastSideNSave
&emsp;
# The Worst Boyfriend on the Upper East Side
In the summer of 2018, my friend Julia learned that her mother had a new boyfriend. Julias mom, whom Ill call Rachelle, was a septuagenarian nearing retirement who had been amicably divorced from Julias father for nearly three decades. She had signed up for a dating site called Our Time, which catered to an older clientele. (“At last!” the Web site reads. “A dating site that not only understands what it is to be over 50, but also celebrates this exciting chapter of our lives.”) Id known Julia for more than twenty years—we met during our freshman year of high school—and for that entire time her mom had been single. Though she had casually dated, shed never found anyone to be serious with, until she met Nelson Roth.
Their first date had been at the Surrey, a luxury hotel on East Seventy-sixth Street, not far from where Rachelle lived on the Upper East Side. She took to Nelson instantly. He was handsome, with a slim build and a full head of hair despite being in his mid-sixties. He started cracking jokes and asking thoughtful questions as soon as they sat down. He was well dressed, in jeans and a crisp white shirt, an outfit suggesting both means and easy confidence. He was in business and, at the moment, in the middle of a major deal. He also told Rachelle that he was an art dealer. She noticed that he wore a showy watch with a red band on his left wrist, which he flashed frequently. This lack of subtlety wasnt exactly a turn-on, but she found Nelson impressive, charming, and, above all, tremendously fun.
They decided to meet up again, and then again, always at the best restaurants. Nelson would treat, and he tipped well. Everyone around town seemed to know him, and greeted him by name; a doorman at the Carlyle would welcome him in, and the hostess at the hotel bar would usher him to a table. Nelson was boisterous, frequently chatting up strangers. He seemed dazzled by the world—and by Rachelle. She recalled him saying that he could spend all day looking at her. After just a few weeks, they were an item.
Nelson was constantly boasting about his various homes—his apartment in London, his house in Saint-Tropez—although he told Rachelle that his primary residence was in New York, at 35 East Sixty-third Street, a mega-mansion a block and a half from Central Park that had been converted into luxury apartments. He was tiring of the city, however, and he told Rachelle that he felt like settling down somewhere quieter—maybe Connecticut. They talked about looking at homes together. They had been dating for only two months or so, but everything in Nelsons life seemed to move at warp speed.
Nelson set up a meeting with a high-end New York City broker. Rachelle wondered why they would meet with someone in the city to explore Connecticut real estate, but Nelson insisted that this broker had all the right connections. He also wanted Rachelle to go alone to the meeting. He told her not to mention him, and to make it seem as if she were looking for real estate for herself. She was puzzled, but she followed his instructions.
One evening, Rachelle found Nelson distraught. He needed to make an important purchase, but his broker was off the grid, and, it being a Friday night, he wouldnt be able to get the cash from the bank. He needed seven thousand dollars. Rachelle didnt have the cash on hand, but her daughter happened to. Nelson, overjoyed, told Rachelle that, if she lent him the cash, hed give her the money back on Monday, plus an extra five hundred dollars.
Julia had just had knee surgery and was in a foul mood. Shed heard her mother talk about Nelson, and had never had a particularly good feeling about him. Now she was outraged that he would ask to borrow money, and was stunned that her mother didnt see it the same way. But Rachelle insisted, and so, reluctantly, Julia handed over the cash.
On Monday, Julia didnt get her money back. Nelson kept promising to get it to her. But day after day passed, and still nothing; each day, he had a new explanation. Eventually, he told Rachelle that he was in the hospital for some heart troubles. Julia, smelling a lie, called the hospital, posing as Nelsons daughter, and was told that he wasnt currently a patient. Rachelle said that, when she later spoke with Nelson, he explained that of course there had been no record of him—he had been on a V.I.P. floor.
After a month had gone by, Rachelle paid Julia back herself, but this didnt assuage Julias suspicions. Who was this guy, supposedly rich but obviously strapped for cash, who was borrowing large sums of money and trying to get her mother to invest in Connecticut real estate? “Nelson Roth,” Julia said to me, when I was passing through town that fall, “is the fakest fucking name Ive ever heard.”
\[*Support The New Yorkers award-winning journalism.* [*Subscribe today »*](https://subscribe.newyorker.com/subscribe/splits/newyorker/NYR_Generic?source=HCL_NYR_IN_CONTENT_SUBSCRIBE_0_ZZ)\]
![Image may contain Pearl Jewelry Accessories Accessory and Necklace](https://media.newyorker.com/photos/62698fa7f74116a121efd2b0/master/w_1600%2Cc_limit/Markham_Pearls3.jpg)
In the summer of 2000, Kristie, a forty-nine-year-old personal trainer and aspiring writer on the Upper East Side, was in a slump. She had just been dumped by a boyfriend shed been sure she would marry, and, on top of that, she was struggling with money. But she was a pick-yourself-up, dust-yourself-off kind of woman, so she decided to get dressed up and go out. She called a friend who lived in the neighborhood.
“Lets go to Campagnola,” Kristie suggested, referring to a white-tablecloth Italian restaurant frequented by the occasional B-list celebrity. As the women ordered drinks at the bar, Kristie met eyes with a handsome man across the room. He wore a brown suit and had a copious head of hair, and he was sipping on a Scotch. “He was sexy and mysterious-looking,” she recalled.
He introduced himself as Nelson Counne. He was a businessman, he said, and an art dealer. He was funny and lavished attention on Kristie. After a while, Kristie asked him point-blank: Was he married? He wasnt. Was he a commitment-phobe? He was not, he said, and took a small band he wore and placed it on Kristies ring finger.
The two began dating. Each time they met, Kristie recalled, Nelson told her about his various houses, his exciting work, and his travels. He often mentioned a business partner, Jack, who lived in Europe, where Nelson also had a home. He wanted to take Kristie there, and to his place in Florida. She said that he wanted to take her shopping. He was very intimate with her, often sharing details about his past. He told her that he had received a Purple Heart from Vietnam and that he occasionally had nightmares involving his memories of the war. Kristie had noticed a scar on his abdomen but didnt know how he got it. He didnt offer many details but said that he told her private things about his life because he felt close to her.
He was sweet and deeply romantic, but she learned over time that he could turn on a dime, suddenly screaming at her or cutting her down when he disagreed with her. Once, she recalled, he set the contents of a skillet on fire while cooking, and when Kristie scolded him he lashed out. And he knew just how to ruin her self-esteem. When she showed him a screenplay she was working on, he both encouraged and ridiculed her. “Look how easy it was for Sly Stallone!” she recalled him saying. (Stallone had written “[Rocky](https://www.newyorker.com/culture/cultural-comment/a-unified-theory-of-the-rocky-movies)” in roughly four days.) If Kristie had been a real writer, Nelson went on, it wouldnt be such a chore for her.
At the end of the summer, Nelson gave Kristie an engagement ring. It was much too big for her finger and flopped around as she walked. “Im engaged,” she told her friends. “Not that I really believed it,” she reflected later. “I was just—I needed a fantasy.”
Shortly afterward, Nelson told Kristie that he had an investment opportunity for her. She gave him a thousand dollars, a good portion of her savings at the time. She recalled that he told her she would get ten times her initial investment in a few days, when his deal went through. This didnt happen. But he managed to persuade her to give him more and more money, until she was out roughly five thousand dollars. She said that, whenever she mustered up the nerve to ask him to repay her, hed become enraged. Did she know what it was like, hed ask, having so many people depending on him for their livelihoods? She went with him to the bank to withdraw more money from her account, and she overheard him deposit the money in an account belonging to someone named Virginia. Who was that? Kristie wondered. But she let it slide.
As the holidays drew near, Kristie told me, she and Nelson made plans to go to Europe. Then, at the last minute, he called and cancelled: he was sick. It was colon cancer, he told her. He said hed be in New York-Presbyterian Hospital for a while, but that he didnt want Kristie to come visit. She tried calling the hospital and was told that he wasnt a patient. She didnt hear from him for several days and became terribly worried. The whole ordeal felt strange, but she was so upset about the idea of Nelson being sick that it was hard for her to focus on any red flags.
When Nelson finally called her, she could hear what sounded like piano music playing in the background. Kristie told him that she had been trying to track him down at the hospital, and asked about the piano. He replied that he was on the V.I.P. floor—which sometimes had live music—and thats why she hadnt been able to find him.
Months later, Kristie opened her credenza drawer and noticed that a diamond ring shed owned for years was missing. She filed this in the mental dossier of suspicions about Nelson that she didnt like to dwell on. But, one day, Kristie got a phone call from a woman named Elaine. (In the course of her relationship with Nelson, Kristie had heard him mention Elaine, a friend of his whom he sometimes complained about.) Kristie and Elaine pieced together that theyd both been dating Nelson, and that hed taken them both for money. Elaine, who died recently, was out tens of thousands of dollars and a cherished diamond necklace.
Kristie set out to do more research on their boyfriend. She learned that Nelsons father, Jack, may have been in the Mob and that, in the eighties, Nelson had been indicted for the murder of a jewelry dealer. (He was later acquitted.) The women werent sure what to do next. Kristie brought up Virginia, the mysterious woman she had heard Nelson mention at the bank. The two learned that her full name was Virginia Gregory, and that she was an actress who also worked at a restaurant called Elis. Kristie and Elaine decided to track her down. They settled in at the bar at Elis as if on a stakeout, watching as Virginia took orders, delivered drinks, and cleared tables. As Kristie tells it, Elaine noticed that Virginia was wearing a necklace with a bear charm that Elaine believed was hers. (Virginia, who denies ever being involved in Nelsons business dealings, said that, although he may have given her jewelry in the past, he had never given her a necklace.)
Kristie and Elaine got in contact with the Manhattan District Attorneys office, which began building a case against Nelson. Meanwhile, Kristie continued to date Nelson in order to extract more information from him. She began keeping notes, so that she wouldnt forget any details that might help with the case. The notes, which she shared with me, read like something between a romance novel and a Nancy Drew book. There was the stuff youd expect, such as names of Nelsons contacts, details from her conversations with him, and the places he frequented. But there were also tangents: minor gripes she had with Elaine.
Kristie and Elaine were a team, but Kristies notes paint a picture of a strained alliance similar to that of the wronged ex-girlfriends in “John Tucker Must Die.” “Shes curt, rude, impolite, quick, but sweet as sugar and honey, can turn it on in a second,” Kristie wrote of Elaine.
In the fall of 2001, about a year after she started dating him, Kristie broke things off with Nelson. “I never want to see you again,” she told him. He still hadnt repaid any of her money. Please, he asked, would she just meet him at the spot he liked on Seventy-second and York? It was a quiet, often empty place with benches that overlooked the water. “I thought, Yeah, right, so you can flip me into the East River?” she told me. “I wasnt going to meet him there.”
Soon afterward, the Assistant District Attorney indicted Nelson on two counts of grand larceny. He pleaded guilty and was sentenced to a year in prison.
![The Worst Boyfriend on the Upper East Side](https://media.newyorker.com/photos/626835113d68090f04ce69c7/master/w_1600%2Cc_limit/Markham_Pearls2a.jpg)
In November of 2018, Rachelle was still dating Nelson Roth. The weekend of Thanksgiving, she was with Julia and her boyfriend at the time, Nate. Julia was disturbed that her mother hadnt broken off the relationship with Nelson, and told Nate that she was determined to figure out what was going on. One night after dinner, in a short con of his own, Nate took Rachelles phone into the bathroom, looked through some of her texts with Nelson, and snapped a few hasty photos.
Nate and Julia were stunned by what hed found. Rachelles text messages seemed to indicate that he owed her some sixty thousand dollars. “Just let me know how are you planning to deliver me my money,” Rachelle had texted Nelson. During the exchange, he had grown irate, to which she replied that she was “simply entitled” to what he owed her. Although Rachelle hadnt said anything to Julia, it was clear from the messages that she had been growing suspicious.
Julia, a lawyer, was beginning to panic, and she contacted a number of people she trusted, asking for advice on what to do. One of them was my dad, a fellow-attorney specializing in criminal defense, who, I later learned, put her in touch with a New York-based private investigator hed worked with through the years. The P.I. told Julia that Nelson Roths real name was Nelson Counne. He didnt live in a lavish apartment near the Park; he lived on Eighty-second Street, in a walkup where Virginia Gregory lived. The P.I. said Nelson had been convicted for grand larceny on at least three separate occasions—in 2001, 2004, and 2007—each time for leading people to believe that they were investing money in potentially lucrative business deals. The P.I. also discovered a report about the murder charge in 1987.
In the hope of getting more information, Julia contacted Raymond Castello, the Assistant D.A. who had tried Nelson. She later recalled to me that, when she told him about Nelson Roth, Castello said that his behavior sounded like the Nelson he knew; his move, Castello said, was to pose as a wealthy person, and also, as Julia put it to me later, a bit of a bad boy. Julia asked about the murder charge, and Castello explained that Nelson had been acquitted. Three years later, when he was thirty-seven, Nelson had narrowly survived what appeared to be an attempt on his life—he was shot multiple times in the chest while walking out of an apartment building. (A police officer told the *Times* that the shooting looked like a hit.) A family member of the jewelry dealer who had been killed called to tell Castello that they thought Nelsons shooting had been, as Julia described it to me, some kind of karma for his past deeds.
A week after talking with Castello, Julia met her mother at a restaurant called the Lotos Club, armed with all the documents that the P.I. had given her. “Hes a crook, Mom,” Julia said, of Nelson. “A total scammer.” The women had a few more drinks than usual and took a car to the apartment on Eighty-second Street where Virginia Gregory lived. They walked inside and affixed a note and a New York *Daily News* article about Nelsons 1987 murder charge to the door of his entryway. The two left the building laughing and hopped back into the car.
A few days later, Rachelle contacted the D.A.s office, eager to talk. She had some thirty missed calls from Nelson. “I never told you I was a good guy,” she recalled him saying on one of the voice mails. Eventually, she called him back. She didnt want to hear about any deals that were about to come through, she told him, or any looming big returns on her investment. “You have to get me all my money back now,” she insisted. He gave her a check and, miraculously, it cleared. The twenty-five thousand dollars was less than half what he owed her. She suspected that the amount was the proceeds from a scam.
![Image may contain Accessories and Accessory](https://media.newyorker.com/photos/6268261f8088371880ae35e7/master/w_1600%2Cc_limit/Markham_Pearls1c.jpg)
Its impossible to say how many people Nelson Counne scammed, and for how much money, but various indictments allege he stole some $184, 210 in cash and jewelry from five people who decided to prosecute. Though significant for his victims, this amount, in the course of several years, is no large sum for a person who is trying to live the New York high life. Based on Nelsons living situation, it seems safe to assume that he never got rich off his scams; he never even seemed to have a long-term endgame. The money he did have served as a smoke screen of luxury, until he next got caught.
From the outside, it might seem strange that so many people could have fallen for Nelsons falsehoods. But that is the con mans true art: finding precisely the person who is inclined to believe him. The story has to be tantalizing to the mark, while remaining firmly in the realm of possibility. For many of us, that story is more elemental than we want to admit. As Kristie told me, “We all want this storybook fantasy.” She noted the difficulty of finding a good partner—a person youre attracted to, who shares your values, and whom you can trust. “And this person comes in, and they are presenting this amazing life, this amazing, fantastical story: youre going to be rich, youre never going to have to worry again, well be living in Europe, your clothes are going to be beautiful, were going to have limousines, were going to stay at the best hotels,” she said. “You are sucked in, like a vacuum cleaner.”
Kristie and Elaine pursued criminal charges against Nelson, but that is not the most common outcome of a scam, according to Robert Cialdini, a psychologist and an expert in persuasion. More often, the victims are so ashamed at having been had that they decline to come forward. I spoke to one such person, a former victim of Nelsons, who asked not to be identified by her real name. The woman, whom Ill call Ethel, met Nelson roughly in 1992, on her forty-sixth birthday. Shed gone out with a friend, all dressed up and hoping for magic; she met a handsome man who had a Jaguar waiting for him outside the bar. Nelson came over that night. Ethel was newly divorced and in the interior-design business, which had her working non-stop. She had two kids, and she had recently moved from a house to a condominium complex in New Jersey. Spending time with Nelson felt like a luxury that she needed and deserved.
Although Ethels story has a similar arc to those of the other women, her tangle with Nelson lasted much longer, and she says that it nearly broke her for good. Nelson refused to take Ethel, who is Jewish, out to business dinners, claiming that his German associates wouldnt approve. Ethel rarely saw her kids during this time, because she felt that she had to be at Nelsons beck and call; she stayed home in case Nelson came home looking for her. He later moved in with her and “borrowed” so much money that she was ultimately unable to keep up with mortgage payments, and she lost her home. When she complained or fought him, he belittled her; she says that he was rough with her from time to time.
Whenever Ethel questioned Nelson, he insisted that an opportunity for more money was right around the corner—a big deal, a payout. The relationship went on for so long, and shed invested so much time and money, that, in retrospect, Ethel isnt sure if she was complicit in his scams or if she had believed that they might be true.
The same question might be asked of Virginia Gregory, one of Nelsons constants throughout the years. Ethel recalled getting a frantic call from Virginia early in her relationship with Nelson. Virginia, whom Ethel knew simply as one of Nelsons friends, said that Nelson was being held at a police station in New Jersey and that they needed to go get him. Ethel and Virginia met up and took the train to the station together. There, on Virginias finger, was a diamond ring that Ethel believed belonged to her—she hadnt even realized it had gone missing. Ethel was stunned but said nothing. (Virginia denies ever receiving a diamond ring from Nelson.) At one point, Kristie heard that Virginia hadnt paid rent in a few months and feared eviction. Was she Nelsons longest-running mark, or was she in on the scam?
Last July, I visited Virginia Gregorys apartment, in the hope of getting an answer to this question. She had politely declined to comment when I reached her by phone, and I thought Id give it a try in person. The outermost door to her building was open, and there, on her mailbox, two names were listed: V. Gregory and N. Counne. Virginia was home, but she again declined to speak with me about Nelson. It took Ethel almost a decade to kick Nelson out of her life for good. By then, she had lost her home; over all, she estimates that, in the course of her relationship with Nelson, she lost approximately seven hundred and fifty thousand dollars. Like the other women I spoke with, she said that, at a certain point, shed known that Nelsons stories were unlikely to be true. But she was in so deep that she needed to believe. (She also felt that the only way to get her money back was to stay with him.) Rachelle said something similar: shed known that Nelsons stories didnt add up, but shed allowed herself to get carried away. He was an exciting person to be around.
![Image may contain Accessories Accessory Jewelry and Necklace](https://media.newyorker.com/photos/626994adacfb56062917b234/master/w_1600%2Cc_limit/Markham_Pearls6.jpg)
Among Nelsons marks, Rachelle may be the only one I spoke with who got all her money back, a total of seventy-one thousand dollars. After that first check Nelson gave her cleared, she was still out tens of thousands of dollars. Determined to get it back, she worked with the D.A.s office, which was once again building a case against Nelson. Rachelle agreed to wear a wire and scheduled a meeting with Nelson at a restaurant, but he never came inside. Later, in 2019, when the two met for lunch, he talked about his plans to spend the summer in Europe, as if nothing ever happened. “What do you mean, you can? How possibly can you?” she asked. Nelson balked; he seemingly couldnt help but flaunt his false wealth, even if the jig was up. As Rachelle told me, “If you lie for fifty years, you begin to believe yourself.”
Rachelle said that, despite everything, she felt sorry for Nelson, whose lies were aspirational. When describing his childhood, he claimed that hed grown up poor. Although some of the finer points were likely exaggerated, the broader strokes of the narrative felt true. Nelson told Rachelle, for instance, that he used to watch as wealthy people stepped in and out of fancy cars with well-dressed drivers, and that hed wanted that kind of ease and luxury his whole life. He also told her that his father wasnt around when he was young. Much of Nelsons backstory is shrouded in mystery, but, from public records and news clippings, a few facts are clear: his father, Jacob Nessim Counne, was born in nineteen-twenties New York to Turkish immigrants. Nelsons mother, Ceres, arrived from the Dominican Republic in 1944, at the age of twenty-two. Back home, shed been a competitive tennis player, but she spent her first few years in the U.S. working as a housekeeper. When she married Jack, in 1952, it was not her first marriage. The next year, Nelson was born.
In 1960, Ceres and Jack divorced. Five years later, when Nelson was twelve, his father married a woman named Marcelle. (When Marcelle died, twelve years later, an obituary didnt mention a stepson.) In the late sixties, Jack was apparently running an underground gambling parlor out of an East Side penthouse, in what the *Times* called a “sumptuous room,” with zebra-patterned upholstery covering the furniture and the walls. The gambling operation supposedly raked in a hundred and seventy-five thousand dollars in profits a night. In 1970, Jack was arrested, but later found not guilty. Five years later, he was discovered dead in his apartment, shot through the head.
Meanwhile, Nelsons mother had immigrated to Canada. She eventually remarried and converted to Judaism. She took her husbands last name: Rothman. She died in 2010, survived by Nelson and three other children.
One can see how even these vague details of Nelsons biography may have informed the choices he made, and also the persona he concocted. Nelson had named his imaginary business partner Jack, and the fake last name he used with Rachelle, Roth, appears to be a Waspier version of Rothman.
In “[The Big Con](https://www.amazon.com/Big-Story-Confidence-Man/dp/0385495382),” David Maurers 1940 study of confidence men, Maurer argues that the con mans life is one elaborate performance: “He is living in a play-world which he cannot distinguish from the real world.” Whats perhaps most notable about con artists, Maurer says, is that, although they accomplish their scams by lying to their victims, the money they procure is often given freely. In Nelsons case, however, this wasnt fully true. Even though his marks willingly gave money to him, they also allege that he stole from them—a necklace, a ring. In fact, it was often these thefts that tipped them off to his larger machinations.
According to Maurers taxonomy, con men are “the aristocrats of crime.” Petty thieves, meanwhile, are the lowest of the low. In this way, even Nelsons grift was aspirational. When it came down to it, he was neither an aristocrat nor an aristocrat among criminals.
Last summer, I spent a few days searching for Nelson, visiting the restaurants, hotels, and bars that he had frequented with his marks. It was a bit like tracking a ghost. Everywhere I went—the Orsay restaurant, Campagnola, Bemelmans Bar, at the Carlyle—people knew him. “Hes kind of a mysterious cool cat, a Casanova kind of guy,” the owner of a pawnshop told me. “Oh, Nelson?” one of the servers at Campagnola said. “Hes a great guy, really generous guy.” A refrain I heard from many of these people was that Nelson hadnt been in in a while—since at least a year before the pandemic. But he hadnt gone far, it seemed; servers had seen him walking around the neighborhood in the past few months.
Although the D.A. cannot comment on or confirm active cases, Rachelle and Kristie said that they have spoken with the office in the hope of getting Nelson indicted again. But, so far, no case has been filed against him. During the pandemic, stuck at home and waiting to hear whether Nelson would be arrested, the women Googled him from time to time. They learned that in June, 2020, he had been arrested in Greenwich, Connecticut, for getting into an altercation in a car; he hit his female companions sunglasses off her head, causing a contusion, according to a local report. He was charged with assault and conspiracy to commit breach of peace. The case has since been dropped.
Last week, I finally made contact with Nelson, by phone. With a thick New York accent, he was gregarious and quite frank with me about his past. Yes, he admitted, he had hurt people. “I feel terrible shame,” he said. But he took issue with the notion that he had scammed anyone. In his telling, each time he took money it was for a real deal—or one that he believed to be real, anyway. It never panned out, but like a gambler, as he put it, he kept trying, sure his luck would turn around. “But I failed ninety-five per cent of the time.”
Although Nelson admitted to a lot of what Rachelle, Kristie, and Ethel told me, he also denied many of the specifics. He says that he never stole anyones jewelry. He also says that he never claimed to have a business partner named Jack, a Purple Heart, or homes in Europe or on East Sixty-third Street. According to Nelson, the conversations that Kristie recalled having with him about travel to Europe never happened. He also denies her claim that she had accompanied him to the bank and that he had deposited money into Virginia Gregorys account. He denies setting fire to a skillet in Kristies kitchen, lashing out at her, giving her an engagement ring, or telling her that he had colon cancer. (He also denies the V.I.P. hospital room.) Despite evidence to the contrary, he claims that his relationship with Rachelle had primarily been a business one. Ethel, he says, had overestimated her financial losses. He also denies the reports of him hitting a woman on the head in Greenwich and giving her a contusion.
During our conversation, he repeatedly brought up the 2008 subprime-mortgage crisis. “No one went to prison for that,” he said several times. In the world of business, he believed, people were always working in what he called a gray area. As someone without a fancy education or background, he had to, as he put it, “back-door” his way in. He just wanted his “piece of the sky,” he said—a loophole into a comfortable, easy life. This wasnt unlike what some of the women had told me about what had attracted them to Nelson in the first place.
When I asked Nelson if he was still after his piece of the sky, he was adamant that he was not. “Im finished with it,” he said. “This thing is over for me.”
And yet recent sightings suggest that he might be playing his same old hand. A few months after the incident in Connecticut, Ethels sister met a friend for an outdoor dinner at a restaurant in Greenwich, and there, sitting at a table with a Martini in hand, was Ethels old scammer boyfriend. There was no mistaking him: he was dressed in posh jeans and a sweater, and spoke loudly on the phone. The two locked eyes for a moment, and she watched throughout dinner as he ordered more drinks and chatted up other patrons. When she was leaving, she noticed that he was having an animated conversation with two diners. She thought about warning them, but it looked like they were already in his thrall.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -13,7 +13,7 @@ CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
Read:: [[2022-05-01]]
---

@ -0,0 +1,129 @@
---
dg-publish: true
Alias: [""]
Tag: ["Society", "War", "Ukraine"]
Date: 2022-05-01
DocType: "WebClipping"
Hierarchy:
TimeStamp: 2022-05-01
Link: https://www.nytimes.com/2022/04/27/world/europe/ukraine-russia-war-flood-infrastructure.html
location:
CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
---
&emsp;
```button
name Save
type command
action Save current file
id Save
```
^button-UkrainiansFloodVillageofDemydivtoKeepRussiansatBayNSave
&emsp;
# Ukrainians Flood Village of Demydiv to Keep Russians at Bay
![Cinemagraph](https://static01.nyt.com/images/2022/04/27/world/27flood-vid-still/27flood-vid-still-videoSixteenByNine3000.jpg)
Ukraine released water from a hydroelectric dam to block the Russian military advance, flooding the village of Demydiv.
## They Flooded Their Own Village, and Kept the Russians at Bay
Ukraine released water from a hydroelectric dam to block the Russian military advance, flooding the village of Demydiv.Credit...
The waters that poured into Demydiv were one of many instances of Ukraine wreaking havoc on its own territory to slow Russias advance. Residents couldnt be happier. “We saved Kyiv,” one said.
April 27, 2022
---
DEMYDIV, Ukraine — They pull up soggy linoleum from their floors, and fish potatoes and jars of pickles from submerged cellars. They hang out waterlogged rugs to dry in the pale spring sunshine.
All around Demydiv, a village north of Kyiv, residents have been grappling with the aftermath of a severe flood, which under ordinary circumstances would have been yet another misfortune for a people under attack by Russia.
This time, though, it was a tactical victory. The Ukrainians flooded the village intentionally, along with a vast expanse of fields and bogs around it, creating a quagmire that thwarted a Russian tank assault on Kyiv and bought the army precious time to prepare defenses.
The residents of Demydiv paid the price in the rivers of dank green floodwater that engulfed many of their homes. And they couldnt be more pleased.
“Everybody understands and nobody regrets it for a moment,” said Antonina Kostuchenko, a retiree, whose living room is now a musty space with waterlines a foot or so up the walls.
“We saved Kyiv!” she said with pride.
Image
![Walking on wooden planks over floodwaters in a yard.](https://static01.nyt.com/images/2022/04/27/world/27ukraine-flood2/merlin_206000190_05f3b9f0-42a7-4725-bf1f-c7c169c8e9be-articleLarge.jpg?quality=75&auto=webp&disable=upscale)
What happened in Demydiv was not an outlier. Since the wars early days, Ukraine has been swift and effective in wreaking havoc on its own territory, often by destroying infrastructure, as a way to [foil a Russian army with superior numbers and weaponry](https://www.nytimes.com/interactive/2022/04/02/world/europe/kyiv-invasion-disaster.html).
Demydiv was flooded when troops opened a nearby dam and sent water surging into the countryside. Elsewhere in Ukraine, the military has, without hesitation, blown up bridges, bombed roads and disabled rail lines and airports. The goal has been to slow Russian advances, channel enemy troops into traps and force tank columns onto less favorable terrain.
So far, more than 300 bridges have been destroyed across Ukraine, the countrys minister of infrastructure, Oleksandr Kubrakov, said. When the Russians tried to take a key airport outside Kyiv [on the first day of the invasion](https://www.nytimes.com/2022/02/24/world/europe/russian-helicopter-attack-video.html), Ukrainian forces shelled the runway, leaving them pockmarked with craters and unable to receive planeloads of Russian special forces.
The scorched-earth policy played an important role in Ukraines success in holding off Russian forces in the north and preventing them from capturing Kyiv, the capital, military experts said.
“The Ukrainians are clearly being very creative in trying to make life very difficult for the Russians,” said Rob Lee, a senior fellow at the Foreign Policy Research Institute. “It makes sense to slow down any rapid offensive.”
One approach, used often around Kyiv last month and in recent days in [the pitched combat in eastern Ukraine](https://www.nytimes.com/2022/04/16/world/europe/east-ukraine-russia-putin-war.html), is to force the Russians to attempt pontoon river crossings around destroyed bridges. Those sites are carefully plotted in advance by Ukrainian artillery teams, turning the pontoon bridgework into bloody, costly affairs for the Russians.
But variations abound. The Ukrainian military has released a video of a bridge blowing up as an armored vehicle lumbers across, sending the vehicle plummeting into the river.
To the east of Kyiv, bridges were blown up in a manner that forced a squad of Russian tanks into a peat bog; four tanks sank nearly up to their turrets.
“It has been one of the strong sides, everybody has taken note of this,” Mr. Kubrakov said.
“Our army, our military has very properly used engineering items, whether dams or bridges they blew up, and stopped the advance of forces,” he said. “It was done everywhere in the first days, and it is happening now in the Donbas” in eastern Ukraine.
The strategy comes at an enormous cost to the countrys civilian infrastructure. The Russian army, too, has been blowing up bridges and targeting railroad stations, airports, fuel depots and other facilities, adding to Ukraines self-inflicted damage and ballooning the price tag for rebuilding the country after the war.
The estimated total damage to transportation infrastructure after two months of war is about $85 billion, the Ukrainian government has said. Regardless of which side actually destroyed any particular site, Mr. Kubrakov blamed Russia.
“We wouldnt have blown up our own bridges if the war hadnt started,” Mr. Kubrakov said. “The cause is one and the same: aggression of the Russian Federation.”
The experience in Demydiv is a case in point. Ukrainian forces flooded the area on Feb. 25, the second day of the war.
The move was particularly effective, Ukrainian officials and soldiers say, creating a sprawling, shallow lake in front of the Russian armored columns. Later, Russian shelling damaged the dam, complicating efforts now to drain the area.
Even two months later, residents of Demydiv paddled about in a rubber boat. Forlorn corn stalks emerged from flooded gardens. One family walked on a rickety pathway of boards over a sprawl of sticky black mud in their yard.
And yet a dozen or so residents said in interviews that the strategic benefit outweighed their hardships.
“Fifty flooded houses isnt a big loss,” said Volodymyr Artemchuk, a volunteer who was helping fuel the pumps now draining the village.
The flooding that blocked the northern rim of Kyiv on the west bank of the Dnipro River played a pivotal role in the fighting in March, as Ukrainian forces repelled Russian attempts to surround Kyiv and eventually drove the Russians into retreat. The waters created an effective barrier to tanks and funneled the assault force into ambushes and cramped, urban settings in a string of outlying towns — Hostomel, Bucha and Irpin.
The flood also limited potential crossing points over a tributary of the Dnipro, the Irpin River. In the end, Russian forces tried unsuccessfully a half-dozen times to cross that river, using a pontoon bridge and driving across a marshy area, all in unfavorable locations and under Ukrainian artillery fire.
They were repeatedly struck by shelling, according to a Ukrainian soldier named Denys who witnessed one failed crossing that left burned Russian tanks scattered on the riverbank. The soldier offered only his first name for security reasons.
The flood protected Kyiv but also helped protect Demydiv, which was on the Russian-occupied side of the flooded fields. Though Russian soldiers patrolled the village, it never became a front line in the battle, and was spared the grim fate of towns to the south.
Six people were shot during about a month of occupation, said Oleksandr Melnichenko, who holds a position akin to mayor, and houses and shops were destroyed by shelling. But the village escaped nightmarish scenes of dozens of bodies left on the streets by retreating Russian soldiers, as occurred in [the frontline town of Bucha](https://www.nytimes.com/interactive/2022/04/11/world/europe/bucha-terror.html).
“Some people are trying to get back to normal life and some people are still traumatized,” Mr. Melnichenko said. “People are afraid it will happen again.”
Though some people complained about the sluggish cleanup, which is expected to take weeks or months, much of the village has banded together in almost joyous communal effort to dry out their homes.
Even as the floodwater swamped backyards and soda bottles floated past houses, women were stewing borscht and inviting people in to eat, and neighbors ferried diesel fuel for pumps in a rubber boat.
Roman Bykhovchenko, 60, a security guard, was drying soggy shoes on a table in his yard. When he walked in his kitchen, water bubbled up through cracks in the floorboards. Still, he said of the damage, “It was worth it.”
Ms. Kostuchenko, the retiree, apologized for the heaps of towels strewn on the floor as she displayed the damage to her house. “Im sorry its so messy,” she said.
She sighed, lamenting that her garden, now a shallow pond, was unlikely to be planted this year. But then she joked that perhaps she would try growing rice.
Nikita Simonchuk and Maria Varenikova contributed reporting from Demydiv.
&emsp;
&emsp;
---
`$= dv.el('center', 'Source: ' + dv.current().Link + ', ' + dv.current().Date.toLocaleString("fr-FR"))`

@ -13,7 +13,7 @@ CollapseMetaTable: Yes
---
Parent:: [[@News|News]]
Read:: No
Read:: [[2022-05-01]]
---

@ -79,7 +79,8 @@ This section on different household obligations.
- [x] [[Household]]: *Paper* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-02-15 ✅ 2022-02-14
- [x] [[Household]]: *Paper* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-02-01 ✅ 2022-01-31
- [x] [[Household]]: *Paper* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-01-18 ✅ 2022-01-17
- [ ] [[Household]]: *Cardboard* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-05-03
- [ ] [[Household]]: *Cardboard* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-05-17
- [x] [[Household]]: *Cardboard* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-05-03 ✅ 2022-05-03
- [x] [[Household]]: *Cardboard* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-04-19 ✅ 2022-04-18
- [x] [[Household]]: *Cardboard* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-04-05 ✅ 2022-04-05
- [x] [[Household]]: *Cardboard* recycling collection 🔁 every 2 weeks on Tuesday 📅 2022-03-22 ✅ 2022-03-21

@ -98,7 +98,8 @@ style: number
&emsp;
- [ ] :birthday: **[[Marguerite de Villeneuve|Marguerite]]** 🔁 every year 📅 2022-05-02
- [ ] :birthday: **[[Marguerite de Villeneuve|Marguerite]]** 🔁 every year 📅 2023-05-02
- [x] :birthday: **[[Marguerite de Villeneuve|Marguerite]]** 🔁 every year 📅 2022-05-02 ✅ 2022-05-02
- [x] :birthday: Marguerite 🔁 every year 📅 2021-05-02 ✅ 2021-10-01
&emsp;

@ -93,6 +93,8 @@ Favourite of my [[MRCK|Boubinou]]
#### Provence
[www.metafort-provence.com/](https://www.metafort-provence.com/)
* [[Nimes]]
&emsp;
#### Alsace
@ -121,6 +123,8 @@ Favourite of my [[MRCK|Boubinou]]
[www.pensaoagricola.com/](http://www.pensaoagricola.com/)
+ [[Lisbon]]
&emsp;
---

@ -201,7 +201,8 @@ The following Apps require a manual backup:
- [x] [[Storage and Syncing|Storage & Sync]]: Backup Volumes to [[Sync|Sync.com]] 🔁 every 3 months on the 2nd Monday 📅 2021-12-01 ✅ 2022-01-08
- [x] [[Storage and Syncing|Storage & Sync]]: Backup Volumes to [[Sync|Sync.com]] 🔁 every 3 months on the 2nd Monday 📅 2021-09-16 ✅ 2021-10-16
- [x] Backup Volumes to [[Sync|Sync.com]] 🔁 every 3 months on the 2nd Monday ✅ 2021-09-15
- [ ] [[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED 🔁 every 3 months on the 2nd Thursday 📅 2022-04-30
- [ ] [[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED 🔁 every 3 months on the 2nd Thursday 📅 2022-07-14
- [x] [[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED 🔁 every 3 months on the 2nd Thursday 📅 2022-04-30 ✅ 2022-05-01
- [x] [[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED 🔁 every 3 months on the 2nd Thursday 📅 2022-01-14 ✅ 2022-01-14
- [x] [[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED 🔁 every 3 months on the 2nd Thursday 📅 2021-10-20 ✅ 2022-01-08
- [x] [[Storage and Syncing|Storage & Sync]]: Transfer pictures to ED 🔁 every 3 months on the 2nd Thursday ✅ 2021-10-19

@ -237,14 +237,16 @@ sudo bash /etc/addip4ban/addip4ban.sh
#### Ban List Tasks
- [ ] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-04-30
- [ ] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-05-07
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-04-30 ✅ 2022-05-01
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-04-23 ✅ 2022-04-22
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-04-16 ✅ 2022-04-16
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-04-10 ✅ 2022-04-10
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-04-02 ✅ 2022-04-02
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-03-26 ✅ 2022-03-26
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]] Get IP addresses caught by Postfix 🔁 every week on Saturday 📅 2022-03-19 ✅ 2022-03-18
- [ ] [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list 🔁 every month on Saturday 📅 2022-04-30
- [ ] [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list 🔁 every month on Saturday 📅 2022-05-07
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list 🔁 every month on Saturday 📅 2022-04-30 ✅ 2022-05-01
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list 🔁 every month on Saturday 📅 2022-04-23 ✅ 2022-04-22
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list 🔁 every month on Saturday 📅 2022-04-16 ✅ 2022-04-16
- [x] [[Selfhosting]], [[Configuring UFW|Firewall]]: Update the Blocked IP list 🔁 every month on Saturday 📅 2022-04-10 ✅ 2022-04-10

Loading…
Cancel
Save